Friday, May 27, 2011

Blog<Programming> Neural Networks - Part 3

Disclaimer: I'll be taking a departure from my usual weight loss/running posts this month to talk about my latest Scala project. So those of you who are not interested in programming or neural networks can feel free to tune out.

...Continued
My first post on neural networks and genetic algorithms explained the basics. The second one showed some code and talked a little about the implementation of the XOR function. For my final post, I've created a simple game and trained a neural network to play it.

The Game
The game is simple. It consists of a square area that is populated with targets in random locations, and the player. The objective is to move the player such that it "picks up" (touches) some targets while avoiding others. Picking up a good target awards the player 3 points, while touching a bad target subtracts 5 points. The player is judged on how many points he can accumulate after 100 turns.
The above image shows what the board looks like. The black circle is the player. The green circles are the "good" targets (+3 points) and the red circles are the bad ones (-5 points). The light green diamonds are the good targets that have been picked up and the orange stars are the bad targets that have been touched.

The AI
The AI for the player consists of a neural network trained by a genetic algorithm. The network itself has a number of inputs including player position, the player's last move, the closest 4 good targets (the dark green circles), and the closest 4 bad targets (dark red circles). The hidden layer consists of 2 layers of about 20 and 5 neurons respectively. The output layer is 2 neurons. One for the horizontal movement and one for the vertical movement.

The game itself constrains how far the player can move on a turn, which means that the output neurons mostly just give a direction vector and not an actual offset position. However, if the magnitude of this direction vector is less than the maximum turn distance, the player will use that for its actual distance. This allows the player to potentially make fine-tuned moves.

The training algorithm ran for 1000 generations with a population size of about 500. The training data was a set of 4 randomly generated boards and 1 static board. The fitness of each individual is basically the score for each board plus a small factor based on how quickly the player accumulates his score. This selects primarily for highest score, but secondarily for speed at which and individual can find the good targets.

The Results
The algorithm worked well. Here's a sample of the best individuals at the end of several generations:

This is basically the best individual out of a set of 500 randomly generated networks. As you can see it does a pretty good job of avoiding the bad targets, but it gets stuck on the left side pretty quickly, not knowing where to go.


By the 20th generation, the best individual is a little better at picking up the good targets. But towards the end, it gets a little confused, oscillating back and forth as it sees different targets.

Generation 100 has stopped caring about the bad targets so much. It looks like it's preferring to move in a single direction for a number of turns before making a change. This probably has to do with the fitness function's secondary selector which is based on the speed at which the score is accumulated.

Here are links to generations 200 and 500. You can see the player getting better at quickly picking up the good targets.


By generation 1000 the player is almost able to get all of the good targets in the 100 turns. It is also reasonably good at avoiding the bad targets although there are some odd moments where it seems like it's deliberately picking them up.

Lessons Learned
You've probably noticed that the neural network only moves the player diagonally. This is largely because of the activation function that limits the output between -1.0 and 1.0. Meaning that excessively large numbers are around 1 while excessively low numbers are around -1. Comparatively, the -1 to 1 range is a small target to hit. This means that the <-1,-1> <-1,1> <1,-1> and <1,1> moves are somewhat selected for because they are the easiest for the network to attain. If I were to do it again, I'd probably drop the activation function entirely and just use the output neurons as a direction vector.

You also probably noticed that there is a giant leap in ability from the first generation to the 20th and 100th generations, but only a smaller leap to the 500th and 1000th generations. This is because most of the improvement in a genetic algorithm happens quickly with only small refinements in later generations. I actually had to tweak the size of mutations so that smaller increments were possible as the generations increased.

Finally, the entire training period took about 6 hours on my quad-core desktop PC. You might think that's a long time, but just think about how long it might take to actually implement the decision logic in code. I was able to do something else for those 6 hours while my PC worked tirelessly toward a solution. The brain power in a neural network and genetic algorithm is mapping the inputs and outputs to the problem at hand, and figuring out how to determine fitness of an individual. But once you have those things, the solution is found automatically by the algorithm. The results might not be a perfect but you can get pretty good results.

Next Steps
I noticed a shortcoming of neural networks almost immediately. The outputs are a series of additions and multiplications. You can't divide, you can't take a square root, you can't loop over a dynamic-length list, and with an acyclic network, you can't story anything resembling a memory. You can get fairly good approximations for a lot of problems, but it can still be fairly limiting. My next area of research is something called Genetic Programming. It's the same process of evolving a population over a number of generations, but instead of the "chromosome" representing a neural network, it is the source code itself. It is an actual runnable program that changes its structure and execution to  improve on the original. And since it is just a program, it is not limited by the additions and multiplications that comprise a neural network.

And that's all for now. We'll be returning you to your regularly scheduled fitness talk next time. Thanks for bearing with me as I strayed from the path a little bit.

Sunday, May 8, 2011

Blog<Programming> Neural Networks - Part 2

Disclaimer: I'll be taking a departure from my usual weight loss/running posts this month to talk about my latest Scala project. So those of you who are not interested in programming or neural networks can feel free to tune out.

...Continued

Last time, I talked about what neural networks are and what they might be used for. I also talked about a couple of the methods used to train them. If you haven't read it, I recommend you start there, because part 2 will focus heavily on the implementation.

Implementation

I've been playing around with Scala for about 2 years now. I've got a couple of unfinished projects that I've been using to learn my way around. It seemed like a natural fit, and it's more fun than Java, so that's what I went with.

I started by separating the project into 2 core concepts. The first was the neural network implementation. Basically, the collection of input neurons, the hidden layer, the output neurons, and the connections between neurons of sequential layers. The implementation of a neural network is actually pretty simple. It's basically a series of multiplications and sums. I tried to keep it simple so that it focuses solely on the calculation.

The second was the mechanism by which the neural network learns. For this, I implemented both backpropagation and a genetic algorithm. However, I soon realized that the genetic algorithm could be used for other purposes besides just training a neural network. So I pulled that out into its own module.

The final structure consists of 3 parts:
  • The neural network.
  • The genetic algorithm.
  • The neural network learning mechanism

The learning mechanism can further be organized into:
  • Backpropagation learning
  • Genetic algorithm learning

Most everything is implemented as Scala traits, making it easy to mix and match different implementations.

The Code

So, that's the boring stuff, let's see some code (to see more, you can check out the repository on github.) The XOR function is used in just about every example out there on the web when looking for problems to solve with a neural network. It's well-understood, simple, and non-linear. And it's also easy to show example code in a blog. :)

This first example shows how to set up a neural network that learns how to calculate the XOR function via backpropagation:


object XORBackProp {
def main(args : Array[String]) : Unit = {
val inputKeys = Seq("1","2");
val outputKeys = Seq("out");
val hiddenLayers = Seq(4,2)

val testData = IndexedSeq(
(Map("1" -> 1.0, "2" -> 0.0),Map("out" -> 1.0)),
(Map("1" -> 0.0, "2" -> 0.0),Map("out" -> 0.0)),
(Map("1" -> 0.0, "2" -> 1.0),Map("out" -> 1.0)),
(Map("1" -> 1.0, "2" -> 1.0),Map("out" -> 0.0)))

val network = new Perceptron(inputKeys,outputKeys,hiddenLayers)
with BackPropagation[String] with StringKey;

//Initialize weights to random values
network.setWeights(for(i <- 0 until network.weightsLength) yield {3 * math.random - 1})
println(network.getWeights);

var error = 0.0
var i = 0
var learnRate = .3
val iterations = 10000
while(i == 0 || (error >= 0.0001 && i < iterations) ){
error = 0

var dataSet = if(i % 2 == 0) testData else testData.reverse
for(data <- testData){
val actual = network.calculate(data._1)("out")
error += math.abs(data._2("out") - actual)
network.train(data._2, learnRate)
}
if(i % 100 == 0){
println(i+" error -> "+error
+" - weights -> " + network.getWeights
+" - biases -> " + network.getBiases);
}

i+=1
}

println("\nFinished at: "+i)
println(network.toString)

for(data <- testData){
println(data._1.toString+" -> "+network.calculate(data._1)("out"))
}
}
}

The key is this line:

val network = new Perceptron(inputKeys,outputKeys,hiddenLayers)
with BackPropagation[String]

It sets up a simple neural network (Perceptron) with the inputs, outputs, and the number of neurons in each hidden layer. The BackPropagation trait gives it the ability to learn using backpropagation.

The rest of the network initialization is configuration for the backpropagation. "learnRate" determines the amount to change the weights based on the error from the test data. Finally, at the end, we are printing the results of the neural network when run against the test inputs:


Map(1 -> 1.0, 2 -> 0.0) -> 0.9999571451716337
Map(1 -> 0.0, 2 -> 0.0) -> 4.248112596677567E-5
Map(1 -> 0.0, 2 -> 1.0) -> 1.0000125509003892
Map(1 -> 1.0, 2 -> 1.0) -> 1.0286171998885596E-7

And here's a graph showing the error versus backpropagation iterations for a few different executions.


Notice that run 2 never reached an acceptable error. This is because of the local minimus problem with backpropagation. Fortunately, each of these runs took about a second, so it's relatively easy to just reset the training until you get an acceptably close solution. This may not be the case for every problem however.

This second example shows how to set up an XOR neural network that learns via a genetic algorithm:

object XORGeneticAlgorithm2 {
def main(args : Array[String]) : Unit = {
val xorTestData = IndexedSeq(
(Map("1" -> 1.0, "2" -> 0.0),Map("out" -> 1.0)),
(Map("1" -> 0.0, "2" -> 0.0),Map("out" -> 0.0)),
(Map("1" -> 0.0, "2" -> 1.0),Map("out" -> 1.0)),
(Map("1" -> 1.0, "2" -> 1.0),Map("out" -> 0.0)))

val popSize = 1000 //The number of individuals in a generation
val maxGen = 100 //number of generations

//Anonymous type that extends from PagedGANN which is an implentation of
//GANN (Genetic Algorithm Neural Network)
val gann = new PagedGANN[WeightBiasGeneticCode,String,Perceptron[String]]()
with ErrorBasedTesting[WeightBiasGeneticCode,String,Perceptron[String]]
with GAPerceptron[WeightBiasGeneticCode,String]{


override def getTestData = xorTestData
override val inputKeys = Seq("1","2");
override val outputKeys = Seq("out");
override val hiddenLayers = Seq(6,3);

override val populationSize = popSize

override def mutationRate:Double = { 0.25 }
override def mutationSize:Double = {0.025 + 2.0 * (math.max(0.0,(50.0 - getGeneration)/1000.0)) }
override def crossoverRate:Double = { 0.9 }
override def elitistPercentile = {0.02}
override def minNeuronOutput:Double = -0.1
override def maxNeuronOutput:Double = 1.1

override def concurrentPages = 4

override def setupNetworkForIndividual(network:Perceptron[String],individual:WeightBiasGeneticCode){
network.setWeights(individual.weights.geneSeq)
network.setBiases(individual.biases.geneSeq)
}

override def stopCondition():Boolean = {
val gen = getGeneration
val topFive = getPopulation(0,5)
val bottomFive = getPopulation(populationSize - 5)
println(gen+" -> "+topFive.map(_._2)+" -> "+bottomFive.reverse.map(_._2))
(gen >= maxGen || topFive.head._2 >= 1000000)
}

override def generateHiddenNeuronKey(layer:Int,index:Int):String = {
"Hidden-"+layer+"-"+index;
}
}

//Genetic Code is 2 chromosomes (1 for weights, 1 for biases)
val initialPop = for(i <- 0 until popSize) yield {
val wChrom = new ChromosomeDouble((0 until gann.weightsLength).map(i => 20.0 * math.random - 10.0).toIndexedSeq)
val bChrom = new ChromosomeDouble((0 until gann.biasesLength).map(i => 2.0 * math.random - 1.0).toIndexedSeq)
(new WeightBiasGeneticCode(wChrom,bChrom),0.0)
}

//Setup the genetic algorithm's initial population
gann.initPopulation(initialPop,0)

//Train the network
val network = gann.trainNetwork()

//Print the result
println(network.toString)
for(data <- xorTestData){
println(data._1.toString+" -> "+network.calculate(data._1)("out"))
}
}
}

Once again, the important part is the anonymous type that extends from PagedGANN. This is an extension of GANN, which is the marriage between the genetic algorithm and the neural network. The PagedGANN can take advantage of machines with multiple processors to calculate fitness and create each new generation.

The various overridden defs tweak the genetic algorithm slightly. For instance, mutationRate determines how frequently an individual might be mutated while creating a new generation. Likewise, mutationAmount determines the maximum change of a network weight if it is mutated. Here's what gets printed at the end of the learning phase:


Map(1 -> 1.0, 2 -> 0.0) -> 1.0014781670169086
Map(1 -> 0.0, 2 -> 0.0) -> 2.588504471438824E-5
Map(1 -> 0.0, 2 -> 1.0) -> 0.9994488547053212
Map(1 -> 1.0, 2 -> 1.0) -> -2.3519634709978643E-5

And here's a graph showing the error versus generations for a few different executions.


For the most part, they all reach an acceptable aproximation of the XOR function. Some take longer than others and some reach a better solution, but the random nature of a genetic algorithm can help to avoid the local minimus problem. It should be noted that it's possible that a genetic algorithm might not solve the problem at all, and that it can take some tweaking of the parameters to get it to produce a good solution.

Next Time

The XOR function is well and good for explaining the basics, but it's also boring as hell. I've cooked up a better example of a neural network in action, which I'll be posting very soon.

Stay tuned!

Thursday, March 31, 2011

Blog<Programming> Neural Networks - Part 1


Disclaimer: I'll be taking a departure from my usual weight loss/running posts this month to talk about my latest Scala project. So those of you who are not interested in programming or neural networks can feel free to tune out.

Neural Networks

Motivation
Last year, I participated in a Google-sponsored AI contest. The point of the contest was to create a computer-controlled player in a competitive game based on Galcon (there's lots more info at the link I posted). The server played semi-random games against all the entries and ranked them using the Elo ranking system (used in chess). I ended up coming in 43rd in the fierce but friendly competition. It was an awesome experience, and I will definitely be competing again this year if I have the time.

One of the things I learned from the contest was that I knew absolutely nothing about artificial intelligence. Instead of teaching a program how to play the game, I basically studied it for strategies and implemented the logic directly in the program. From a few contestants' post-mordems, I would bet that most of the contestants did something similar. There were a few exceptions (such as the winner), and another entry based on a genetic algorithm (which I believe finished around 200th).

Coming away from the contest, I took a shallow dive into some AI programming techniques, and came away with a desire to learn more about neural networks. Mostly because they are easy to understand and implement, but also because they can be used to solve some interesting and difficult problems. They are useful is because they can learn to solve a problem based on inputs with known solutions. Then, for inputs without a known solution, they can make predictions based on the previously learned behavior.

So what is a neural network?
Neural networks, as you might imply from the name, are based on the cellular structure of the brain and nervous system. A neuron is essentially a cell that acts as an on-off switch. It has a number of incoming connections called dendrites that carry an electric signal. Depending on the signals of all the dendrites, the neuron may or may not send a signal itself (turn on or off). The output of the neuron then connects to other dendrites, which will cause other neurons to turn on or off. Thus forming a network structure. That's the simplified view anyway.

In computer science, this structure is called an artificial neural network (ANN), but for the purposes of this article, when I say "neural network," I'm referring to the artificial (and not the biological) version.

In a neural network, the most basic component is the Neuron. It traditionally has a number of inputs, a weight for each input, and an activation function to determine when the neuron should output a value.

In the above diagram, the output is calculated by first multiplying each input by its corresponding weight, and then summing these weighted values over all the inputs. This sum is then passed into the activation function f(x). A higher weight value gives an input a greater importance for determining the output. Conversely a lower weight means less importance.

The activation function basically takes a value and outputs another value. Generally it is used to normalize the summed input value to a range of (-1,1) or maybe (0,1). Sometimes this is a step function, meaning that if the input value is above a certain threshold, the output will be 1, otherwise it will be zero. Most neural networks use the sigmoid function because it is continuous and normalizes any input to the range (-1,1). So, if the sum of the weighted inputs is something like 20, the activation function will output ~1. If the sum is between -1 and 1, the output will be close to the original value.

A network is created by connecting the output of several neurons to the inputs of other neurons.
As you can see, the outputs of the neurons on the left (I1, I2, and I3) are fed into the inputs of the neurons on the right (O1 and O2). The final result is the output of the 2 neurons on the right.

This type of network is called a feedforward network because there are no circular loops connecting any of the neurons. There are a lot of variations to how you connect the neurons to form a network, however the most common addition is something called a hidden layer. This is basically a set of neurons that sits between the input and output. The hidden layer provides a degree of abstraction and additional weights that can aid in the learning process.

Learning
A neural network's purpose is to solve a problem. If you just create a random network of neurons and input weights, you won't get very good results. However, there are a number of techniques for teaching a network to provide a better solution to the problem. A network "learns" by computing a result for a given input, determining how close the result is to the desired answer, and then adjusting its weights to hopefully give a better result the next time it is computed. This process of calculate -> adjust weights -> calculate, is performed many times until the desired result is achieved.

Backpropagation
This is a fancy name that really just means determining the error of the result, and then working backward to reduce the error at every neuron in the network. In practice it's a somewhat-complicated process, involving not-so-fun math (for the lay-person anyway; I'm sure mathematicians get a kick out of it.) Fortunately backpropagation was figured out a long time ago, so all of us hobbiest computer scientists have some conveniently tall giants to stand on.

Backpropagation is useful when you have a training set with known output values. For instance, the exclusive-or (XOR) function has 2 inputs and one output. Whenever one input has a value of 1 and the other is 0, the output is 1. Conversely, if the inputs are both 1 or both 0, the output is 0. Since we know the desired output values, we can easily determine a network's error by subtracting the generated result from the known output.

Backpropagation can be a useful way to teach a neural network, but it is limited by a few issues. The first is that it will sometimes train the network to provide a solution that is not valid (so-called local minima). The second is that it cannot teach networks if the optimal solution is not easily known when giving it test/training data.

Take the Galcon game as an example of the second problem. On any given turn, you have a list of planets, a list of enemy planets, a list of neutral planets, incoming fleets, planet growth rates, distances, etc... Every decision you make on this turn will affect future turns' decisions. There are so many variables that it would be nearly impossible to determine the perfect action to take for every situation. In problems like this a good way to train a neural network is to directly compare it against another network. This is the idea behind the second way to teach a network, genetic algorithms.

Genetic Algorithms
Genetic algorithms are based in the natural evolutionary processes of selection (based on fitness), mating, crossover, and mutation. The basic process is to create a population of genetic sequences (chromosomes) that correspond to parts of the problem's solution. This population is then used to create a new generation which is tested for fitness (how well it solves the problem). Over a number of generations, the top individuals will be able provide very good solutions to the problem.

In the case of a neural network, a chromosome can be represented as the network's collection of input weights. Each chromosome (list of weights) is tested and assigned a fitness value. After all chromosomes are tested, they are sorted so that the ones with the highest fitness values are first. To create a new generation, these chromosomes are selected as "mates", with a preference given to the ones that appear highest in the list (the ones with the highest fitness). The two mates combine their chromosomes in a process called crossover to produce a "child" chromosome. The resulting "child" may be further changed by mutation.

By the end of a number of generations, the top chromosomes should provide good solutions for the network.

This type of learning also overcomes the problems with backpropagation, but it requires a much longer time-frame to complete.

And that's the overview of what neural networks are. This post was pretty light on details, so if you are interested in creating your own, here are some more resources that I found useful:

In the next part, I'll provide some Scala source code for my implementation, as well as some examples of both backpropagation and genetic algorithm learning.

Sunday, February 27, 2011

Blog<Resistance Training> Coming Around

I've mentioned a couple times that resistance training is a necessary part of weight loss, but that I only do it begrudgingly. Well, I haven't totally changed yet, but I'm starting to come around. First, a little back story.

The History
My first experience with weight training was in High School. As a part of our off-season training for the swim team, our coach had us lifting weights 3 days a week. We did a fairly standard set of exercises (bench press, military press, maybe squats, ...), all for 3 sets of 12 reps. The weight was selected such that you lifted enough weight to fail on the last 1 or 2 reps of the 3rd set. You basically went up in weight whenever you felt like you could. Not really any rhyme or reason.

The problem is that this is not fun. Failing on the last rep is painful and requires a spotter to prevent an almost guaranteed injury. Furthermore, progress is slow. We didn't really have any goals and no plan to achieve them even if we did. As a result, I think I maybe went up from 90 lbs to 110 lbs on the bench press in the course of 3 months. By the end, I didn't really feel stronger.

Throughout college and up through last year, my resistance training was mostly the same. Except that instead of using the barbell for things like the bench press or squat, I used machines. Mostly because spotters are hard to come by, but also because I just didn't realize that machines are so bad for you. Of course, even if I had known, a lot of gyms these days don't have a big section devoted to free weights.

Finally, about 6 months ago, I realized that I wasn't getting any stronger at the gym (but it wasn't really a goal either) so I decided to just do body weight exercises at home. I started off doing a whole bunch of stuff: planks, side planks, pushups, dips, military press, squats, curls, and calf raises. I did 3 circuits, going through each exercise from between 12 and 16 reps. I did all of this in about 30 minutes. It was as much of a cardio workout as it was a resistance workout. I got about the same results (if not better) than I did after 6 months in the gym.

At some point though, I realized that the only way to push myself was to increase the volume of exercises. Given that my free time is finite, this meant splitting exercises across different days and cutting some entirely. I focused on the ones that worked the most muscles. By the end of January, I was up to 5 sets of 17 pushups, 5 sets of 25 squats, and 5 sets of 45 second planks (and 35 seconds left and right side planks), as well as curls,, military press and dips on alternating workouts.

It didn't take long before I realized that I'd have to continue to increase volume to keep improving. Either that or go back to the old way of doing things: adding weight.

So I did what I always do when I'm looking for a more efficient way reach my goals.

The Research
I really just wanted to keep getting stronger. It would seem to make sense that strength goes hand in hand with muscle size, which (as I've written about previously) goes hand in hand with weight loss. Strength is easy to measure. How much weight can you lift for how many reps? Muscle size and body fat % are a little more difficult to measure, and change so gradually that they're hard to use as a motivator.

So with that in mind, I researched how to get stronger. I stumbled across this article in Men's Journal which has been adorned with a fairly hyperbolic title ("Everything You Know About Fitness is a Lie"), but contains a lot of good information. It made me start to realize just why I had spent so much effort and time on various machines with so little to show for it.

For starters, strength should transfer to your life outside the gym. So, why are there so many machines and exercises devoted to training 1 or 2 specific muscles in a controlled rigid motion? Do the bench press on a machine and you'll get better at using that machine, but how much does it transfer to real life? Considering I'd managed to gain strength going from the gym to pure body weight exercises, I'd say not much.

I started reading articles about barbell exercises like the squat and deadlift. I'd never even heard of the deadlift before, but of all the exercises I've tried it's the one that directly translates to my actual life. Imagine something heavy on the floor. Now, pick it up safely. What could be more useful? The squat, I read, involves just about every major muscle group in the body. I realized that the military press (which is seated) is inferior to the overhead press (which is done standing) because it restricts motion and doesn't require you to stabilize your core.

I also learned that the key to getting strong fast is to lift heavy weights. And continuing to lift heavier every workout. No more 3 sets of 12-16 reps of the same weight for a month. Endurance training has its place, but it doesn't get you stronger. And finally, I learned that you don't have to workout to muscle failure to build muscle. In fact, focusing on fewer exercises and doing them well will give you the best results, and means you don't need to spend a lot of time in the gym. Especially while starting out.

The Plan
So, naturally I was itching for a way to use this information, but I didn't really have much experience with the barbell. And some of these exercises (deadlift and overhead press), I'd never done in my life.

My first step was finding a plan. The one I found has you starting with low weights (the 45 lb. bar) and gradually increasing by adding 5 lbs on every workout. It's called StrongLifts 5x5, and the website has a ton of information on what it is and how to do the 5 exercises involved. There is also a free e-book that you can find if you look around the site a little.

The basic gist of the program is that you lift 3 times a week. Each exercise is 5 sets of 5 reps (with 1-5 minutes rest between reps). Each workout you increase the weight by 5 lbs. You do 3 exercises on each day, squatting every day and alternating bench press and barbell row with overhead press and deadlift (which you only do 1 set of 5 reps since you're getting a leg workout with the squats). It's simple and you see results for a long time, while starting off at a low weight gives you time to learn the proper technique on all the exercises.

So, I figured out what I needed get strong, now I just needed access to the weights. I contemplated going to the gym. The problem is that I've gotten used to all the free time that working out at home has given me. So I went onto craigslist and got an olympic barbell, a squat half rack, a bench, and weights (and an assortment dumbell and curl-bar weights that I'll probably never use...) for $250. And now a big chunk of my garage is devoted to something that I never thought I'd have... or even want.

Well, it's been a little over a week since I've started and it feels pretty good. I've done 4 workouts and I've changed my diet to focus on lots of protein. Who knew hard-boiled eggs were so good (and so good for you)? It's weird going from a diet where you limit your calories to lose weight to a diet where you need excess calories to gain muscle mass, but I'm slowly transitioning. So far I feel pretty good.

I've decided to keep a workout journal to track my progress. Notice the low starting weight, the squats every workout, and the increase in weight every time.

At this point, I'm not sure how this will affect my running goals, but I don't have any intention of sacrificing one for the other. I'm sure that adding more weight will probably not make me a more efficient runner, but on the other hand, all of my increased mass will be in the form of muscle (if I do it right), which I think would probably be helpful. But the thing I'm most hopeful for is that muscle mass increases metabolism. One of my goals for this year is to show off a 6 pack, and you can't do that without dropping overall body fat %.

Isn't it nice when your goals reinforce each other?

And on that note, I think I'll stop. Once again, I've written a wall of text, so congrats (and apologies) if you made it this far. I plan on keeping the workout journal up to date, so you can follow it if you want. I'm sure I'll be updating in a month or 2 with an assessment of the plan (and probably pictures), so you can look forward to that as well. Talk to you later.

-Kyle

Saturday, February 12, 2011

Blog<Meta> Retrospective

It's been a couple months since my last update. Sorry about that. It's a combination of end-of-the-year travel/holiday stuff and general laziness/procrastination. Okay, I'll cool it (a little) with the slashes. (But no promise on parentheses.)

I know it's well into the new year, but since I didn't do it in January, I'm going to use this post as an opportunity to reflect back on the previous year and to record my goals for the new year. So please bear with me as I do a little navel gazing.

Exercise/Weight Loss Goals
I had specific goals, so it's easy to judge my progress. Here was my one and only goal at the beginning of the year:
  • Go from 266 lbs to 206 lbs.
By the end of July, I had completed this goal. Around the same time, I found running as an enjoyable way to maintain the weight loss. As happy as I was to lose the 60 lbs, I realized I still wanted to get in better shape. So, I reevaluated my progress and set a few new goals for the end of the year:
  • Get down to 190 lbs.
  • Be able to run 5 miles.
By December I was hovering between 190 and 185. Success! I'm still hovering around this weight, but I've got a few different goals in mind for 2011 (which I'll get to in a couple paragraphs).

My goal for running was probably a little naive. I had just read Born to Run by Christopher McDougall. This book went a long way towards making me believe that I could actually run and enjoy it. But, after never running more than 1.5 miles in my entire life, I somehow decided I could run 5 miles by the end of the year. I didn't realize at the time that it would take so much effort and patience to learn the technique that allows a person to run long distances. And this is doubly important when running barefoot. Even with all the setbacks and generally slow progress, I was still able to get up to 4 miles on 2 separate runs by the end of the year. If you asked me a year ago if I'd be able to run 4 miles without shoes, I probably would have laughed in your face.

So the final tally for my exercise goals in 2010 was 2 successes, and 1 failure (but I made some good progress). Keeping this in mind, I've decided to divide 2011 into short term and long term goals. I've learned that short term goals are important because they are easier to visualize success, and upon completion, they provide motivation to continue striving for the long term ones. Long term goals are equally important because they provide you direction when you inevitably hit a roadblock or start to plateau. They are the reason for putting in all the hard work. As such, here are my goals for 2011:

Short term:
  • Run my first official barefoot 5k by the end of May.
  • Acquire access to an Olympic bar and weights, and learn proper technique on several compound lifts (squat, bench press, dead lift, overhead press, barbell row).
  • Create and follow a new diet geared primarily toward gaining muscle and burning (or at least not gaining) fat.
  • Create workout/diet journal to track progress for at least the first 3 months.
  • Gain at least 5 lbs of muscle in the first 3 months without increasing body fat %.
Long term:
  • Run an official 10k by the end of the year.
  • Squat: 5 reps at least 100% of my body weight.
  • Bench press: 5 reps at 75%
  • Dead lift: 5 reps at 100%
  • Drop from ~15% to 10% body fat by the end of the year.
  • Visible 6 pack abs (and finally lose this damn belly)
You'll notice that I'm planning on making weight training a big part of my exercise plan this year. A year of losing body fat and building a little muscle (mostly endurance) has left me with the desire to get stronger. You might remember that I hated my resistance training over the past year, and you might be wondering why the change in heart. Well, I've been researching again and I've discovered that I've basically been doing it wrong. BTW, those body weight % numbers are not considered strong by many standards, but I don't want to make the same mistake I made with running and just assume I'll get there easily. I'll be writing a post soon to talk about my new fitness goals and give more insight as to why I'm (finally) taking weight lifting more seriously.

Programming/Hobbies
This is one area where I haven't been very prolific. My intention when I started this blog was that most of it would be technical posts about programming and specifically creating games. I'd still like to continue talking about it, but the exercise/fitness stuff has been taking up a lot of my time and it reaches a broader audience of people. I didn't really have any goals last year, and I still don't really have any this year. You can expect the occasional game or prototype project update, so those of you who don't read this for the technical stuff can feel free to tune them out.

The Blog (meta-goals)
I had a few reasons for starting this blog last year. The main one is that writing things down helps to solidify them in my mind. And even if no one ever reads the blog but me, it's difficult to discount the pressure of Internet Accountability™. Of course the downside is that if I ever stop doing this for more than 4 months, the Internet Shame™ will keep me from ever dredging it back up. So part of this process naturally involves coming out of my cocoon and advertising myself a little. The more real readers, the harder it is to let myself quit.

There are 2 other main reasons. The first is that I want to become a better writer, and you only get better at something by practicing. The second is that (I think) I have something interesting things to say, and (if I can improve my writing) the information just might be useful to other people.

So, here were my goals for 2010:
  • Write something once a week.
  • Write something useful once a month.
  • Get some actual humans to read the blog.
  • Improve my writing ability.
Did I succeed? Well, my goals weren't very clearly defined. Heck, this is the first time that I've actually written these down, and I have to say they're pretty weak. I could come up with a few reasons why I succeeded, and I could come up with a few reasons why I still need to improve. If my weight loss goals have taught me anything, without specificity it's very difficult to analyze results.

The first 2 goals are better than the last two, but they don't mention a duration. Did I want to do this forever? For a year? A few months? If I wanted to keep up the volume of writing for more than 5 or 6 months, then I guess I've failed miserably. At the time I started the blog, I didn't really know.

The 3rd goal is even more vague, but I still think I did okay. I've got a small set of followers, comprised mostly family and friends. These are the people I'd actually want to give me feedback, so I'm fine with the small readership. Plus, there's still a pretty big mental stumbling block to overcome when I think that I actually have something important or useful to say. Plus, plus, strangers are scary. Anonymous strangers are basically the bogeyman. But still, it would be good to venture out of my shell a little more.

The last goal is almost useless. I don't know if I'm any better at this than I was in June. The idea was that practice would make it easier and improve the quality of my writing. After 6 months, it's definitely easier to type a lot of words in front of a computer screen. I have no idea if the quality has kept pace with the quantity.

Goals for 2011:
  • Write something useful/interesting once a month for the rest of the year.
  • Promote the useful/interesting posts on facebook.
  • Extra posts are a bonus, but I also want to start using the space as a way to give smaller/quicker status updates. As such, a set schedule or number doesn't really make sense.
I think these are better than the previous year's goals. As far as improving the quality of my writing, I'm not sure how to do this except to just solicit feedback occasionally. Honestly, I still think that writing more will naturally improve the quality, and I'm comfortable not having a specific goal.


Hopefully I'll be well on my way toward my 2011 goals by my next post. I think I might have found a good deal on craigslist for an Olympic barbell and weight set, so after a month of indirection, I'm starting to make some progress. :)

See you next time.