6. A Programming Episode

image

© Jennifer M. Kohnke

Design and programming are human activities; forget that and all is lost.

—Bjarne Stroustrup, 1991

In order to demonstrate agile programming practices, Bob Koss (RSK) and Bob Martin (RCM) will pair program a simple application while you watch like a fly on the wall. We will use test-driven development and a lot of refactoring to create our application. What follows is a pretty faithful reenactment of a programming episode that the two Bobs did in a hotel room in late 2000.

We made lots of mistakes while doing this. Some of the mistakes are in code, some are in logic, some are in design, and some are in requirements. As you read, you will see us flail around in all these areas, identifying and then dealing with our errors and misconceptions.

The process is messy, as all human processes are. The result: Well, the order that came out of such a messy process is amazing.

The program calculates the score of a game of bowling, so it helps if you know the rules. If you don’t know the rules of bowling, check out the box on page 99.

The Bowling Game

RCM: Will you help me write a little application that calculates bowling scores?

RSK: (Reflects to himself: The XP practice of pair programming says that I can’t say no when asked to help. I suppose that’s especially true when it is your boss who is asking.) Sure, Bob, I’d be glad to help.

RCM: OK, great. What I’d like to do is write an application that keeps track of a bowling league. It needs to record all the games, determine the ranks of the teams, determine the winners and losers of each weekly match, and accurately score each game.

RSK: Cool. I used to be a pretty good bowler. This will be fun. You rattled off several user stories; which one would you like to start with?

RCM: Let’s begin with scoring a single game.

RSK: OK. What does that mean? What are the inputs and outputs for this story?

RCM: It seems to me that the inputs are simply a sequence of throws. A throw is an integer that tells how many pins were knocked down by the ball. The output is the score for each frame.

RSK: I’m assuming you are acting as the customer in this exercise; so what form do you want the inputs and outputs to be in?

RCM: Yes, I’m the customer. We’ll need a function to call to add throws and another function that gets the score. Sort of like:

ThrowBall(6);
ThrowBall(3);
Assert.AreEqual(9, GetScore());

RSK: OK, we’re going to need some test data. Let me sketch out a little picture of a scorecard. [See Figure 6-1.]

Figure 6-1. Typical bowling score card

image

RCM: That guy is pretty erratic.

RSK: Or drunk, but it will serve as a decent acceptance test.

image

RCM: We’ll need others, but let’s deal with that later. How should we start? Shall we come up with a design for the system?

RSK: I wouldn’t mind a UML diagram showing the problem domain concepts that we might see from the scorecard. That will give us some candidate objects that we can explore further in code.

RCM: (putting on his powerful object designer hat) OK, clearly a game object consists of a sequence of ten frames. Each frame object contains one, two, or three throws.

RSK: Great minds. That was exactly what I was thinking. Let me quickly draw that. [See Figure 6-2.]

Figure 6-2. UML diagram of bowling scorecard

image

RSK: Well, pick a class, any class. Shall we start at the end of the dependency chain and work backward? That will make testing easier.

RCM: Sure, why not. Let’s create a test case for the Throw class.

RSK: (starts typing)

//ThrowTest.cs--------------------------------
using NUnit.Framework;

[TestFixture]
public class ThrowTest
{
  [Test]
  public void Test???
}

RSK: Do you have a clue what the behavior of a Throw object should be?

RCM: It holds the number of pins knocked down by the player.

RSK: OK, you just said, in not so many words, that it doesn’t really do anything. Maybe we should come back to it and focus on an object that actually has behavior instead of one that’s simply a data store.

RCM: Hmm. You mean the Throw class might not really exist?

RSK: Well, if it doesn’t have any behavior, how important can it be? I don’t know if it exists or not yet. I’d just feel more productive if we were working on an object that had more than setters and getters for methods. But if you want to drive . . . (slides the keyboard to RCM).

RCM: Well, let’s move up the dependency chain to Frame and see whether there are any test cases we can write that will force us to finish Throw (pushes the keyboard back to RSK).

RSK: (wondering whether RCM is leading me down a blind alley to educate me or whether he is really agreeing with me) OK, new file, new test case.

//FrameTest.cs------------------------------------
using NUnit.Framework;

[TestFixture]
public class FrameTest
{
  [Test]
  public void Test???
}

RCM: OK, that’s the second time we’ve typed that. Now, can you think of any interesting test cases for Frame?

RSK: A Frame might provide its score, the number of pins on each throw, whether there was a strike or a spare . . .

RCM: OK, show me the code.

RSK: (types)

//FrameTest.cs-----------------------------
using NUnit.Framework;

[TestFixture]
public class FrameTest
{
      [Test]
      public void TestScoreNoThrows()
      {
        Frame f = new Frame();
        Assert.AreEqual(0, f.Score);
      }
}
//Frame.cs---------------------------------------
public class Frame


{
    public int Score
    {
      get { return 0; }
    }
}

RCM: OK, the test case passes. But Score is a really stupid property. It will fail if we add a throw to the Frame. So let’s write the test case that adds some throws and then checks the score.

//FrameTest.cs---------------------------------

[Test]
public void TestAddOneThrow()
{
  Frame f = new Frame();
  f.Add(5);
  Assert.AreEqual(5, f.Score);
}

RCM: That doesn’t compile. There’s no Add method in Frame.

RSK: I’ll bet if you define the method, it will compile ;-)

RCM: (types)

//Frame.cs---------------------------------------
public class Frame
{
    public int Score
    {
      get { return 0 };
    }

    public void Add(Throw t)
    {
    }
}

RCM: (thinking out loud) This doesn’t compile, because we haven’t written the Throw class.

RSK: Talk to me, Bob. The test is passing an integer, and the method expects a Throw object. You can’t have it both ways. Before we go down the Throw path again, can you describe its behavior?

RCM: Wow! I didn’t even notice that I had written f.Add(5). I should have written f.Add(new Throw(5)), but that’s ugly as hell. What I really want to write is f.Add(5).

RSK: Ugly or not, let’s leave aesthetics out of it for the time being. Can you describe any behavior of a Throw object—binary response, Bob.

RCM: 101101011010100101. I don’t know whether there is any behavior in Throw; I’m beginning to think that a Throw is just an int. However, we don’t need to consider that yet, since we can write Frame.Add to take an int.

RSK: Then I think we should do that for no other reason than it’s simple. When we feel pain, we can do something more sophisticated.

RCM: Agreed.

//Frame.cs---------------------------------------
public class Frame
{
  public int Score
  {
    get { return 0};
  }

  public void Add(int pins)
  {
  }
}

RCM: OK, this compiles and fails the test. Now, let’s make the test pass.

//Frame.cs---------------------------------------
public class Frame
{
  private int score;

  public int Score
  {
    get { return score; }
  }

  public void Add(int pins)
  {
    score += pins;
  }
}

RCM: This compiles and passes the tests. But it’s clearly simplistic. What’s the next test case?

RSK: Can we take a break first?

------------------------------Break----------------------------

RCM: That’s better. Frame.Add is a fragile function. What if you call it with an 11?

RSK: It can throw an exception if that happens. But who is calling it? Is this going to be an application framework that thousands of people will use and we have to protect against such things, or is this going to be used by you and only you? If the latter, just don’t call it with an 11 (chuckle).

RCM: Good point; the tests in the rest of the system will catch an invalid argument. If we run into trouble, we can put the check in later.

So, the Add function doesn’t currently handle strikes or spares. Let’s write a test case that expresses that.

RSK: Hmmmm. If we call Add(10) to represent a strike, what should GetScore() return? I don’t know how to write the assertion, so maybe we’re asking the wrong question. Or we’re asking the right question of the wrong object.

RCM: When you call Add(10), or Add(3) followed by Add(7), calling Score on the Frame is meaningless. The Frame would have to look at later Frame instances to calculate its score. If those later Frame instances don’t exist, it would have to return something ugly, such as -1. I don’t want to return -1.

RSK: Yeah, I hate the -1 idea too. You’ve introduced the idea of Frames knowing about other Frames. Who is holding these different Frame objects?

RCM: The Game object.

RSK: So Game depends on Frame, and Frame in turn depends back on Game. I hate that.

RCM: Frames don’t have to depend on Game; they could be arranged in a linked list. Each Frame could hold pointers to its next and previous Frames. To get the score from a Frame, the Frame would look backward to get the score of the previous Frame and look forward for any spare or strike balls it needs.

RSK: OK, I’m feeling kind of dumb because I can’t visualize this. Show me some code.

RCM: Right. So we need a test case first.

RSK: For Game or another test for Frame?

RCM: I think we need one for Game, since it’s Game that will build the Frames and hook them up to each other.

RSK: Do you want to stop what we’re doing on Frame and do a mental longjump to Game, or do you just want to have a MockGame object that does just what we need to get Frame working?

RCM: No, let’s stop working on Frame and start working on Game. The test cases in Game should prove that we need the linked list of Frames.

RSK: I’m not sure how they’ll show the need for the list. I need code.

RCM: (types)

//GameTest.cs------------------------------------------
using NUnit.Framework;

[TestFixture]
public class GameTest
{
  [Test]
  public void TestOneThrow()
  {
    Game game = new Game();


    game.Add(5);
    Assert.AreEqual(5, game.Score);
  }
}

RCM: Does that look reasonable?

RSK: Sure, but I’m still looking for proof for this list of Frames.

RCM: Me too. Let’s keep following these test cases and see where they lead.

//Game.cs----------------------------------
public class Game
{
  public int Score
  {
    get { return 0; }
  }

  public void Add(int pins)
  {
  }
}

RCM: OK; this compiles and fails the test. Now let’s make it pass.

//Game.cs----------------------------------
public class Game
{
  private int score;

  public int Score
  {
    get { return score; }
  }

  public void Add(int pins)
  {
    score += pins;
  }
}

RCM: This passes. Good.

RSK: I can’t disagree with it. But I’m still looking for this great proof of the need for a linked list of Frame objects. That’s what led us to Game in the first place.

RCM: Yeah, that’s what I’m looking for, too. I fully expect that once we start injecting spare and strike test cases, we’ll have to build Frames and tie them together in a linked list. But I don’t want to build that until the code forces us to.

RSK: Good point. Let’s keep going in small steps on Game. What about another test that tests two throws but with no spare?

RCM: OK; that should pass right now. Let’s try it.

//GameTest.cs--------------------------------

  [Test]
  public void TestTwoThrowsNoMark()
  {
    Game game = new Game();
    game.Add(5);
    game.Add(4);
    Assert.AreEqual(9, game.Score);
  }

image

RCM: Yep, that one passes. Now let’s try four balls, with no marks.

RSK: Well, that will pass too. I didn’t expect this. We can keep adding throws, and we don’t ever even need a Frame. But we haven’t done a spare or a strike yet. Maybe that’s when we’ll have to make one.

RCM: That’s what I’m counting on. However, consider this test case:

//TestGame.cs------------------------------------------
  [Test]
  public void TestFourThrowsNoMark()
  {
    Game game = new Game();
    game.Add(5);
    game.Add(4);
    game.Add(7);
    game.Add(2);
    Assert.AreEqual(18, game.Score);
    Assert.AreEqual(9, game.ScoreForFrame(1));
    Assert.AreEqual(18, game.ScoreForFrame(2));
  }

RCM: Does this look reasonable?

RSK: It sure does. I forgot that we have to be able to show the score in each frame. Ah, our sketch of the scorecard was serving as a coaster for my Diet Coke. Yeah, that’s why I forgot.

RCM: (sigh) OK; first, let’s make this test case fail by adding the ScoreForFrame method to Game.

//Game.cs----------------------------------

  public int ScoreForFrame(int frame)
  {
    return 0;
  }

RCM: Great; this compiles and fails. Now, how do we make it pass?

RSK: We can start making Frame objects. But is that the simplest thing that will get the test to pass?

RCM: No, actually, we could simply create an array of integers in the Game. Each call to Add would append a new integer onto the array. Each call to ScoreForFrame will simply work forward through the array and calculate the score.

//Game.cs----------------------------------
public class Game
{
  private int score;
  private int[] throws = new int[21];
  private int currentThrow;

  public int Score
  {
    get { return score; }
  }

  public void Add(int pins)
  {
    throws[currentThrow++] = pins;
    score += pins;
  }

  public int ScoreForFrame(int frame)
  {
    int score = 0;
    for(int ball = 0;
        frame < 0 && ball < currentThrow;
        ball+=2, frame--)
    {
      score += throws[ball] + throws[ball + 1];
    }

    return score;
  }
}

RCM: (very satisfied with himself) There, that works.

RSK: Why the magic number 21?

RCM: That’s the maximum possible number of throws in a game.

RSK: Yuck. Let me guess; in your youth, you were a UNIX hacker and prided yourself on writing an entire application in one statement that nobody else could decipher.

ScoreForFrame() needs to be refactored to be more communicative. But before we consider refactoring, let me ask another question. Is Game the best place for this method? In my mind, Game is violating the Single-Responsibility Principle. [See Chapter 8.] It is accepting throws, and it knows how to score for each frame. What would you think about a Scorer object?

RCM: (makes a rude oscillating gesture with his hand) I don’t know where the functions live now; right now, I’m interested in getting the scoring stuff to work. Once we’ve got that all in place, then we can debate the values of the SRP. However, I see your point about the UNIX hacker stuff; let’s try to simplify that loop.

public int ScoreForFrame(int theFrame)
{
  int ball = 0;
  int score=0;
  for (int currentFrame = 0;
    currentFrame < theFrame;
    currentFrame++)
  {
    score += throws[ball++] + throws[ball++];
  }

  return score;
}

RCM: That’s a little better, but there are side effects in the score+= expression. They don’t matter here, because it doesn’t matter which order the two addend expressions are evaluated in. (Or does it? Is it possible that the two increments could be done before either array operations?)

RSK: I suppose we could do an experiment to verify that there aren’t any side effects, but that function isn’t going to work with spares and strikes. Should we keep trying to make it more readable, or should we push further on its functionality?

RCM: The experiment might have meaning only on certain compilers. Other compilers might use different evaluation orders. I don’t know whether this is an issue, but let’s get rid of the potential order dependency and then push on with more test cases.

public int ScoreForFrame(int theFrame)
{
  int ball = 0;
  int score=0;
  for (int currentFrame = 0;
    currentFrame < theFrame;
    currentFrame++)
  {


    int firstThrow = throws[ball++];
    int secondThrow = throws[ball++];
    score += firstThrow + secondThrow;
  }

  return score;
}

RCM: OK, next test case. Let’s try a spare.

[Test]
public void TestSimpleSpare()
{
  Game game = new Game();
}

RCM: I’m tired of writing this. Let’s refactor the test and put the creation of the game in a SetUp function.

//GameTest.cs--------------------------------
using NUnit.Framework;

[TestFixture]
public class GameTest
{
  private Game game;

  [SetUp]
  public void SetUp()
  {
    game = new Game();
  }

  [Test]
  public void TestOneThrow()
  {
    game.Add(5);
    Assert.AreEqual(5, game.Score);
  }

  [Test]
  public void TestTwoThrowsNoMark()
  {
    game.Add(5);
    game.Add(4);
    Assert.AreEqual(9, game.Score);
  }

  [Test]
  public void TestFourThrowsNoMark()
  {
    game.Add(5);
    game.Add(4);


    game.Add(7);
    game.Add(2);
    Assert.AreEqual(18, game.Score);
    Assert.AreEqual(9,  game.ScoreForFrame(1));
    Assert.AreEqual(18, game.ScoreForFrame(2));
  }

  [Test]
  public void TestSimpleSpare()
  {
  }
}

RCM: That’s better; now let’s write the spare test case.

[Test]
public void TestSimpleSpare()
{
  game.Add(3);
  game.Add(7);
  game.Add(3);
  Assert.AreEqual(13, game.ScoreForFrame(1));
}

RCM: OK, that test case fails. Now we need to make it pass.

RSK: I’ll drive.

public int ScoreForFrame(int theFrame)
{
  int ball = 0;
  int score=0;
  for (int currentFrame = 0;
    currentFrame < theFrame;
    currentFrame++)
  {
    int firstThrow = throws[ball++];
    int secondThrow = throws[ball++];

    int frameScore = firstThrow + secondThrow;

    // spare needs next frames first throw
    if ( frameScore == 10 )
      score += frameScore + throws[ball++];
    else
      score += frameScore;
  }

  return score;
}

RSK: Yee-HA! That works!

RCM: (grabbing the keyboard) OK, but I think the increment of ball in the frameScore==10 case shouldn’t be there. Here’s a test case that proves my point.

[Test]
public void TestSimpleFrameAfterSpare()
{
  game.Add(3);
  game.Add(7);
  game.Add(3);
  game.Add(2);
  Assert.AreEqual(13, game.ScoreForFrame(1));
  Assert.AreEqual(18, game.Score);
}

RCM: Ha! See, that fails. Now if we just take out that pesky extra increment . . .

if ( frameScore == 10 )
  score += frameScore + throws[ball];

RCM: Uh, it still fails. Could it be that the Score method is wrong? I’ll test that by changing the test case to use ScoreForFrame(2).

[Test]
public void TestSimpleFrameAfterSpare()
{
  game.Add(3);
  game.Add(7);
  game.Add(3);
  game.Add(2);
  Assert.AreEqual(13, game.ScoreForFrame(1));
  Assert.AreEqual(18, game.ScoreForFrame(2));
}

RCM: Hmmmm. That passes. The Score property must be messed up. Let’s look at it.

public int Score
{
  get { return score; }
}

public void Add(int pins)
{
  throws[currentThrow++] = pins;
  score += pins;
}

RCM: Yeah, that’s wrong. The Score property is simply returning the sum of the pins, not the proper score. What we need Score to do is call ScoreForFrame() with the current frame.

RSK: We don’t know what the current frame is. Let’s add that message to each of our current tests, one at a time, of course.

RCM: Right.

//GameTest.cs--------------------------------

  [Test]
  public void TestOneThrow()
  {
    game.Add(5);
    Assert.AreEqual(5, game.Score);
    Assert.AreEqual(1, game.CurrentFrame);
  }

//Game.cs----------------------------------

  public int CurrentFrame
  {
    get { return 1; }
  }

RCM: OK, that works. But it’s stupid. Let’s do the next test case.

[Test]
public void TestTwoThrowsNoMark()
{
  game.Add(5);
  game.Add(4);
  Assert.AreEqual(9, game.Score);
  Assert.AreEqual(1, game.CurrentFrame);
}

RCM: That one’s uninteresting; let’s try the next.

[Test]
public void TestFourThrowsNoMark()
{
  game.Add(5);
  game.Add(4);
  game.Add(7);
  game.Add(2);
  Assert.AreEqual(18, game.Score);
  Assert.AreEqual(9,  game.ScoreForFrame(1));
  Assert.AreEqual(18, game.ScoreForFrame(2));
  Assert.AreEqual(2, game.CurrentFrame);
}

RCM: This one fails. Now let’s make it pass.

RSK: I think the algorithm is trivial. Just divide the number of throws by 2, since there are two throws per frame. Unless we have a strike. But we don’t have strikes yet, so let’s ignore them here too.

RCM: (flails around, adding and subtracting 1 until it works)1

public int CurrentFrame
{
  get { return 1 + (currentThrow - 1) / 2; }
}

RCM: That’s isn’t very satisfying.

RSK: What if we don’t calculate it each time? What if we adjust a currentFrame member variable after each throw?

RCM: OK, let’s try that.

//Game.cs----------------------------------

  private int currentFrame;
  private bool isFirstThrow = true;


  public int CurrentFrame
  {
    get { return currentFrame; }
  }

  public void Add(int pins)
  {
    throws[currentThrow++] = pins;
    score += pins;

    if (isFirstThrow)
    {
      isFirstThrow = false;
      currentFrame++;
    }
    else
    {
      isFirstThrow=true;;
    }
  }

RCM: OK, this works. But it also implies that the current frame is the frame of the last ball thrown, not the frame that the next ball will be thrown into. As long as we remember that, we’ll be fine.

RSK: I don’t have that good of a memory, so let’s make it more readable. But before we go screwing around with it some more, let’s pull that code out of Add() and put it in a private member function called AdjustCurrentFrame() or something.

RCM: OK, that sounds good.

public void Add(int pins)
{
  throws[currentThrow++] = pins;
  score += pins;

  AdjustCurrentFrame();
}

private void AdjustCurrentFrame()
{
  if (isFirstThrow)
  {
    isFirstThrow = false;
    currentFrame++;
  }
  else
  {
    isFirstThrow=true;;
  }
}

RCM: Now let’s change the variable and function names to be more clear. What should we call currentFrame?

RSK: I kind of like that name. I don’t think we’re incrementing it in the right place, though. The current frame, to me, is the frame number that I’m throwing in. So it should get incremented right after the last throw in a frame.

RCM: I agree. Let’s change the test cases to reflect that; then we’ll fix AdjustCurrentFrame.

//GameTest.cs--------------------------------
[Test]
public void TestTwoThrowsNoMark()
{
  game.Add(5);
  game.Add(4);
  Assert.AreEqual(9, game.Score);
  Assert.AreEqual(2, game.CurrentFrame);
}

[Test]
public void TestFourThrowsNoMark()
{
  game.Add(5);
  game.Add(4);
  game.Add(7);
  game.Add(2);
  Assert.AreEqual(18, game.Score);
  Assert.AreEqual(9,  game.ScoreForFrame(1));
  Assert.AreEqual(18, game.ScoreForFrame(2));


    Assert.AreEqual(3, game.CurrentFrame);
  }

//Game.cs----------------------------------

  private int currentFrame = 1;


  private void AdjustCurrentFrame()
  {
    if (isFirstThrow)
    {
      isFirstThrow = false;
    }
    else
    {
      isFirstThrow=true;
      currentFrame++;
    }
  }

RCM: OK, that’s working. Now let’s test CurrentFrame in the two spare cases.

[Test]
public void TestSimpleSpare()
{
  game.Add(3);
  game.Add(7);
  game.Add(3);
  Assert.AreEqual(13, game.ScoreForFrame(1));
  Assert.AreEqual(2, game.CurrentFrame);
}

[Test]
public void TestSimpleFrameAfterSpare()
{
  game.Add(3);
  game.Add(7);
  game.Add(3);
  game.Add(2);
  Assert.AreEqual(13, game.ScoreForFrame(1));
  Assert.AreEqual(18, game.ScoreForFrame(2));
  Assert.AreEqual(3, game.CurrentFrame);
}

RCM: This works. Now, back to the original problem. We need Score to work. We can now write Score to call ScoreForFrame(CurrentFrame-1).

[Test]
public void TestSimpleFrameAfterSpare()
{
  game.Add(3);
  game.Add(7);

   game.Add(3);
   game.Add(2);
   Assert.AreEqual(13, game.ScoreForFrame(1));
   Assert.AreEqual(18, game.ScoreForFrame(2));
   Assert.AreEqual(18, game.Score);
   Assert.AreEqual(3, game.CurrentFrame);
}

//Game.cs----------------------------------

  public int Score()
  {
    return ScoreForFrame(CurrentFrame - 1);
  }

RCM: This fails the TestOneThrow test case. Let’s look at it.

[Test]
public void TestOneThrow()
{
  game.Add(5);
  Assert.AreEqual(5, game.Score);
  Assert.AreEqual(1, game.CurrentFrame);
}

RCM: With only one throw, the first frame is incomplete. The score method is calling ScoreForFrame(0). This is yucky.

RSK: Maybe, maybe not. Who are we writing this program for, and who is going to be calling Score? Is it reasonable to assume that it won’t get called on an incomplete frame?

RCM: Yeah. But it bothers me. To get around this, we have to take the score out of the TestOneThrow test case. Is that what we want to do?

RSK We could. We could even eliminate the entire TestOneThrow test case. It was used to ramp us up to the test cases of interest. Does it really serve a useful purpose now? We still have coverage in all of the other test cases.

RCM: Yeah, I see your point. OK, out it goes. (edits code, runs test, gets green bar) Ahhh, that’s better.

image

Now, we’d better work on the strike test case. After all, we want to see all those Frame objects built into a linked list, don’t we? (snicker).

[Test]
public void TestSimpleStrike()
{
  game.Add(10);
  game.Add(3);
  game.Add(6);
  Assert.AreEqual(19, game.ScoreForFrame(1));
  Assert.AreEqual(28, game.Score);
  Assert.AreEqual(3, game.CurrentFrame);
}

RCM: OK, this compiles and fails as predicted. Now we need to make it pass.

//Game.cs----------------------------------
public class Game
{
  private int score;
  private int[] throws = new int[21];
  private int currentThrow;
  private int currentFrame = 1;
  private bool isFirstThrow = true;

  public int Score
  {
    get { return ScoreForFrame(GetCurrentFrame() - 1); }
  }

  public int CurrentFrame
  {
    get { return currentFrame; }
  }

  public void Add(int pins)
  {
    throws[currentThrow++] = pins;
    score += pins;

    AdjustCurrentFrame(pins);
  }

  private void AdjustCurrentFrame(int pins)
  {
    if (isFirstThrow)
    {
      if(pins == 10) //Strike
       currentFrame++;
      else
       isFirstThrow = false;
    }


    else
    {
      isFirstThrow=true;
      currentFrame++;
    }
  }

  public int ScoreForFrame(int theFrame)
  {
    int ball = 0;
    int score=0;
    for (int currentFrame = 0;
      currentFrame < theFrame;
      currentFrame++)
    {
      int firstThrow = throws[ball++];
      if(firstThrow == 10) //Strike
      {
       score += 10 + throws[ball] + throws[ball+1];
      }
      else
      {
        int secondThrow = throws[ball++];

        int frameScore = firstThrow + secondThrow;

        // spare needs next frames first throw
        if ( frameScore == 10 )
          score += frameScore + throws[ball];
        else
          score += frameScore;
       }
    }

    return score;
  }
}

RCM: OK, that wasn’t too hard. Let’s see if it can score a perfect game.

image

[Test]
public void TestPerfectGame()
{
  for (int i=0; i<12; i++)
  {
    game.Add(10);
  }
  Assert.AreEqual(300, game.Score);
  Assert.AreEqual(10, game.CurrentFrame);
}

RCM: Urg, it’s saying that the score is 330. Why would that be?

RSK: Because the current frame is getting incremented all the way to 12.

RCM: Oh! We need to limit it to 10.

private void AdjustCurrentFrame(int pins)
{
  if (isFirstThrow)
  {
    if(pins == 10) //Strike
      currentFrame++;
    else
      isFirstThrow = false;
  }
  else
  {
    isFirstThrow=true;
    currentFrame++;
  }

  if(currentFrame > 10)
    currentFrame = 10;
}

RCM: Damn, now it’s saying that the score is 270. What’s going on?

RSK: Bob, the Score property is subtracting 1 from SetCurrentFrame, so it’s giving you the score for frame 9, not 10.

RCM: What? You mean I should limit the current frame to 11, not 10? I’ll try it.

if(currentFrame > 11)
  currentFrame = 11;

RCM: OK, so now it gets the score correct but fails because the current frame is 11 and not 10. Ick! this current frame thing is a pain in the butt. We want the current frame to be the frame the player is throwing into, but what does that mean at the end of the game?

RSK: Maybe we should go back to the idea that the current frame is the frame of the last ball thrown.

RCM: Or maybe we need to come up with the concept of the last completed frame? After all, the score of the game at any time is the score in the last completed frame.

RSK: A completed frame is a frame that you can write the score into, right?

RCM: Yes, a frame with a spare in it completes after the next ball. A frame with a strike in it completes after the next two balls. A frame with no mark completes after the second ball in the frame.

Wait a minute. We are trying to get the Score property to work, right? All we need to do is force Score to call ScoreForFrame(10) if the game is complete.

RSK: How do we know whether the game is complete?

RCM: If AdjustCurrentFrame ever tries to increment currentFrame past the tenth frame, the game is complete.

RSK: Wait. All you are saying is that if CurrentFrame returns 11, the game is complete; that’s the way the code works now!

RCM: Hmm. You mean we should change the test case to match the code?

[Test]
public void TestPerfectGame()
{
  for (int i=0; i<12; i++)
  {
    game.Add(10);
  }
  Assert.AreEqual(300, game.Score);
  Assert.AreEqual(11, game.CurrentFrame);
}

RCM: Well, that works. But I still feel uneasy about it.

RSK: Maybe something will occur to us later. Right now, I think I see a bug. May I? (grabs keyboard)

[Test]
public void TestEndOfArray()
{
  for (int i=0; i<9; i++)
  {
    game.Add(0);
    game.Add(0);
  }
  game.Add(2);
  game.Add(8); // 10th frame spare
  game.Add(10); // Strike in last position of array.
  Assert.AreEqual(20, game.Score);
}

RSK: Hmm. That doesn’t fail. I thought since the twenty-first position of the array was a strike, the scorer would try to add the twenty-second and twenty-third positions to the score. But I guess not.

RCM: Hmm, you are still thinking about that scorer object, aren’t you. Anyway, I see what you were getting at, but since score never calls ScoreForFrame with a number larger than 10, the last strike is not actually counted as a strike. It’s just counted at a 10 to complete the last spare. We never walk beyond the end of the array.

RSK: OK, lets pump our original score card into the program.

[Test]
public void TestSampleGame()
{
  game.Add(1);
  game.Add(4);
  game.Add(4);
  game.Add(5);
  game.Add(6);
  game.Add(4);
  game.Add(5);
  game.Add(5);
  game.Add(10);
  game.Add(0);
  game.Add(1);
  game.Add(7);
  game.Add(3);
  game.Add(6);
  game.Add(4);
  game.Add(10);
  game.Add(2);
  game.Add(8);
  game.Add(6);
  Assert.AreEqual(133, game.Score);
}

RSK: Well, that works. Are there any other test cases that you can think of?

RCM: Yeah, let’s test a few more boundary conditions; how about the poor schmuck who throws 11 strikes and then a final 9?

image

[Test]
public void TestHeartBreak()
{
  for (int i=0; i<11; i++)
    game.Add(10);
  game.Add(9);
  Assert.AreEqual(299, game.Score);
}

RCM: That works. OK, how about a tenth frame spare?

[Test]
public void TestTenthFrameSpare()
{
  for (int i=0; i<9; i++)
    game.Add(10);
  game.Add(9);
  game.Add(1);
  game.Add(1);
  Assert.AreEqual(270, game.Score);
}

RCM: (staring happily at the green bar) “That works, too. I can’t think of any more, can you.

RSK: No, I think we’ve covered them all. Besides, I really want to refactor this mess. I still see the scorer object in there somewhere.

RCM: OK, well, the ScoreForFrame function is pretty messy. Let’s consider it.

public int ScoreForFrame(int theFrame)
{
  int ball = 0;
  int score=0;
  for (int currentFrame = 0;
    currentFrame < theFrame;
    currentFrame++)
  {
    int firstThrow = throws[ball++];
    if(firstThrow == 10) //Strike
    {
      score += 10 + throws[ball] + throws[ball+1];
    }
    else
    {
      int secondThrow = throws[ball++];

      int frameScore = firstThrow + secondThrow;

      // spare needs next frames first throw
      if ( frameScore == 10 )
        score += frameScore + throws[ball];
      else
        score += frameScore;


    }
  }

  return score;
}

RCM: I’d really like to extract the body of that else clause into a separate method named HandleSecondThrow, but I can’t, because it uses ball, firstThrow, and secondThrow local variables.

RSK: We could turn those locals into member variables.

RCM: Yeah, that kind of reinforces your notion that we’ll be able to pull the scoring out into its own scorer object. OK, let’s give that a try.

RSK: (grabs keyboard)

private int ball;
private int firstThrow;
private int secondThrow;

public int ScoreForFrame(int theFrame)
{
  ball = 0;
  int score=0;
  for (int currentFrame = 0;
    currentFrame < theFrame;
    currentFrame++)
  {
    firstThrow = throws[ball++];
    if(firstThrow == 10) //Strike
    {
      score += 10 + throws[ball] + throws[ball+1];
    }
    else
    {
      secondThrow = throws[ball++];

      int frameScore = firstThrow + secondThrow;

      // spare needs next frames first throw
      if ( frameScore == 10 )
        score += frameScore + throws[ball];
      else
        score += frameScore;
    }
  }

  return score;
}

RSK: This works, so now we can pull the else clause out into its own function.

public int ScoreForFrame(int theFrame)
{
  ball = 0;
  int score=0;
  for (int currentFrame = 0;
    currentFrame < theFrame;
    currentFrame++)
  {
    firstThrow = throws[ball++];
    if(firstThrow == 10) //Strike
    {
      score += 10 + throws[ball] + throws[ball+1];
    }
    else
    {
      score += HandleSecondThrow();
    }
  }

  return score;
}

private int HandleSecondThrow()
{
  int score = 0;
  secondThrow = throws[ball++];

  int frameScore = firstThrow + secondThrow;

  // spare needs next frames first throw
  if ( frameScore == 10 )
    score += frameScore + throws[ball];
  else
    score += frameScore;
  return score;
}

RCM: Look at the structure of ScoreForFrame! In pseudocode, it looks something like

if strike
  score += 10 + NextTwoBalls;
else
  HandleSecondThrow.

RCM: What if we changed it to

if strike
  score += 10 + NextTwoBalls;
else if spare
  score += 10 + NextBall;
else
  score += TwoBallsInFrame

RSK: Geez! That’s pretty much the rules for scoring bowling, isn’t it? OK, let’s see whether we can get that structure in the real function. First, let’s change the way the ball variable is being incremented, so that the three cases manipulate it independently.

public int ScoreForFrame(int theFrame)
{
  ball = 0;
  int score=0;
  for (int currentFrame = 0;
    currentFrame < theFrame;
    currentFrame++)
  {
    firstThrow = throws[ball];
    if(firstThrow == 10) //Strike
    {
      ball++;
      score += 10 + throws[ball] + throws[ball+1];
    }
    else
    {
      score += HandleSecondThrow();
    }
  }

  return score;
}

private int HandleSecondThrow()
{
  int score = 0;
  secondThrow = throws[ball + 1];

  int frameScore = firstThrow + secondThrow;

  // spare needs next frames first throw
  if ( frameScore == 10 )
  {
    ball += 2;
    score += frameScore + throws[ball];
  }
  else
  {
    ball += 2;
    score += frameScore;
  }
  return score;
}

RCM: (grabs keyboard) OK, now let’s get rid of the firstThrow and secondThrow variables and replace them with appropriate functions.

public int ScoreForFrame(int theFrame)
{
  ball = 0;
  int score=0;
  for (int currentFrame = 0;
    currentFrame < theFrame;
    currentFrame++)
  {
    firstThrow = throws[ball];
    if(Strike())
    {
      ball++;
      score += 10 + NextTwoBalls;
    }
    else
    {
      score += HandleSecondThrow();
    }
  }

  return score;
}

private bool Strike()
{
  return throws[ball] == 10;
}

private int NextTwoBalls
{
  get { return (throws[ball] + throws[ball+1]); }
}

RCM: That step works; let’s keep going.

private int HandleSecondThrow()
{
  int score = 0;
  secondThrow = throws[ball + 1];

  int frameScore = firstThrow + secondThrow;

  // spare needs next frames first throw
  if (Spare())
  {
    ball += 2;
    score += 10 + NextBall;
  }
  else
  {
    ball += 2;
    score += frameScore;


  }
  return score;
}

private bool Spare()
{
  return throws[ball] + throws[ball+1] == 10;
}
private int NextBall
{
  get { return throws[ball]; }
}

RCM: OK, that works too. Now let’s deal with frameScore.

private int HandleSecondThrow()
{
  int score = 0;
  secondThrow = throws[ball + 1];

  int frameScore = firstThrow + secondThrow;

  // spare needs next frames first throw
  if ( IsSpare() )
  {
    ball += 2;
    score += 10 + NextBall;
  }
  else
  {
    score += TwoBallsInFrame;
    ball += 2;
  }
  return score;
}

private int TwoBallsInFrame
{
  get { return throws[ball] + throws[ball+1]; }
}

RSK: Bob, you aren’t incrementing ball in a consistent manner. In the spare and strike case, you increment before you calculate the score. In the TwoBallsInFrame case, you increment after you calculate the score. And the code depends on this order! What’s up?

RCM: Sorry, I should have explained. I’m planning on moving the increments into Strike, Spare, and TwoBallsInFrame. That way, they’ll disappear from the ScoreForFrame method, and the method will look just like our pseudocode.

RSK: OK, I’ll trust you for a few more steps, but remember, I’m watching.

RCM: OK, now since nobody uses firstThrow, secondThrow, and frameScore anymore, we can get rid of them.

public int ScoreForFrame(int theFrame)
{
  ball = 0;
  int score=0;
  for (int currentFrame = 0;
    currentFrame < theFrame;
    currentFrame++)
  {
    if(Strike())
    {
      ball++;
      score += 10 + NextTwoBalls;
    }
    else
    {
      score += HandleSecondThrow();
    }
  }

  return score;
}

private int HandleSecondThrow()
{
  int score = 0;
  // spare needs next frames first throw
  if ( Spare() )
  {
    ball += 2;
    score += 10 + NextBall;
  }
  else
  {
    score += TwoBallsInFrame;
    ball += 2;
  }
  return score;
}

RCM: (The sparkle in his eyes is a reflection of the green bar.) Now, since the only variable that couples the three cases is ball, and since ball is dealt with independently in each case, we can merge the three cases.

public int ScoreForFrame(int theFrame)
{
  ball = 0;
  int score=0;
  for (int currentFrame = 0;
    currentFrame < theFrame;


    currentFrame++)
  {
    if(Strike())
    {
      ball++;
      score += 10 + NextTwoBalls;
    }
    else if ( Spare() )
    {
      ball += 2;
      score += 10 + NextBall;
    }
    else
    {
      score += TwoBallsInFrame;
      ball += 2;
    }
  }

  return score;
}

RSK: OK, now we can make the increments consistent and rename the functions to be more explict. (grabs keyboard)

public int ScoreForFrame(int theFrame)
{
  ball = 0;
  int score=0;
  for (int currentFrame = 0;
    currentFrame < theFrame;
    currentFrame++)
  {
    if(Strike())
    {
      score += 10 + NextTwoBallsForStrike;
      ball++;
    }
    else if ( Spare() )
    {
      score += 10 + NextBallForSpare;
      ball += 2;
    }
    else
    {
      score += TwoBallsInFrame;
      ball += 2;
    }
  }

  return score;
}


private int NextTwoBallsForStrike
{
  get { return (throws[ball+1] + throws[ball+2]); }
}

private int NextBallForSpare
{
  get { return throws[ball+2]; }
}

RCM: Look at that ScoreForFrame method! That’s the rules of bowling stated about as succinctly as possible.

RSK: But, Bob, what happened to the linked list of Frame objects? (snicker, snicker)

RCM: (sigh) We were bedeviled by the daemons of diagrammatic overdesign. My God, three little boxes drawn on the back of a napkin—Game, Frame, and Throw—and it was still too complicated and just plain wrong.

RSK: We made a mistake starting with the Throw class. We should have started with the Game class first!

RCM: Indeed! So, next time, let’s try starting at the highest level and work down.

RSK: (gasp) Top-down design!??!?!?

RCM: Correction: Top-down test-first design. Frankly, I don’t know whether this is a good rule. It’s just what would have helped us in this case. So next time, I’m going to try it and see what happens.

RSK: Yeah, OK. Anyway, we still have some refactoring to do. The ball variable is simply a private iterator for ScoreForFrame and its minions. They should all be moved into a different object.

RCM: Oh, yes, your Scorer object. You were right, after all. Let’s do it.

RSK: (grabs keyboard and takes several small steps punctuated by tests to create)

//Game.cs----------------------------------
public class Game
{
  private int score;
  private int currentFrame = 1;
  private bool isFirstThrow = true;
  private Scorer scorer = new Scorer();

  public int Score
  {
    get { return ScoreForFrame(GetCurrentFrame() - 1); }
  }

  public int CurrentFrame
  {
    get { return currentFrame; }

  }

  public void Add(int pins)
  {
    scorer.AddThrow(pins);
    score += pins;
    AdjustCurrentFrame(pins);
  }

  private void AdjustCurrentFrame(int pins)
  {
    if (isFirstThrow)
    {
      if(pins == 10) //Strike
        currentFrame++;
      else
        isFirstThrow = false;
    }
    else
    {
      isFirstThrow = true;
      currentFrame++;
    }

    if(currentFrame > 11)
      currentFrame = 11;
  }

  public int ScoreForFrame(int theFrame)
  {
    return scorer.ScoreForFrame(theFrame);
  }
}

//Scorer.cs----------------------------------
public class Scorer
{
  private int ball;
  private int[] throws = new int[21];
  private int currentThrow;

  public void AddThrow(int pins)
  {
    throws[currentThrow++] = pins;
  }

  public int ScoreForFrame(int theFrame)
  {
    ball = 0;
    int score=0;
    for (int currentFrame = 0;
      currentFrame < theFrame;


      currentFrame++)
    {
      if(Strike())
      {
        score += 10 + NextTwoBallsForStrike;
        ball++;
      }
      else if ( Spare() )
      {
        score += 10 + NextBallForSpare;
        ball += 2;
      }
      else
      {
        score += TwoBallsInFrame;
        ball += 2;
      }
    }

    return score;
  }

  private int NextTwoBallsForStrike
  {
    get { return (throws[ball+1] + throws[ball+2]); }
  }

  private int NextBallForSpare
  {
    get { return throws[ball+2]; }
  }

  private bool Strike()
  {
    return throws[ball] == 10;
  }

  private int TwoBallsInFrame
  {
    get { return throws[ball] + throws[ball+1]; }
  }

  private bool Spare()
  {
    return throws[ball] + throws[ball+1] == 10;
  }
}

RSK: That’s much better. Now the Game simply keeps track of frames, and the Scorer simply calculates the score. The Single-Responsibility Principle rocks!

RCM: Whatever. But it is better. Did you notice that the score variable is not being used anymore?

RSK: Ha! You’re right. Let’s kill it. (gleefully starts erasing things)

public void Add(int pins)
{
  scorer.AddThrow(pins);
  AdjustCurrentFrame(pins);
}

RSK: Not bad. Now, should we clean up the AdjustCurrentFrame stuff?

RCM: OK, let’s look at it.

private void AdjustCurrentFrame(int pins)
{
  if (isFirstThrow)
  {
    if(pins == 10) //Strike
      currentFrame++;
    else
      isFirstThrow = false;
  }
  else
  {
    isFirstThrow = true;
    currentFrame++;
  }

  if(currentFrame > 11)
    currentFrame = 11;
}

RCM: OK, first, let’s extract the increments into a single function that also restricts the frame to 11. (Brrrr. I still don’t like that 11.)

RSK: Bob, 11 means end of game.

RCM: Yeah. Brrrr. (grabs keyboard, makes a couple of changes punctuated by tests)

private void AdjustCurrentFrame(int pins)
{
  if (isFirstThrow)
  {
    if(pins == 10) //Strike
      AdvanceFrame();
    else
      isFirstThrow = false;
  }
  else
  {
    isFirstThrow = true;
    AdvanceFrame();
  }
}


private void AdvanceFrame()
{
  currentFrame++;
  if(currentFrame > 11)
    currentFrame = 11;
}

RCM: OK, that’s a little better. Now let’s break out the strike case into its own function. (takes a few small steps and runs tests between each)

private void AdjustCurrentFrame(int pins)
{
  if (isFirstThrow)
  {
    if(AdjustFrameForStrike(pins) == false)
      isFirstThrow = false;
  }
  else
  {
    isFirstThrow = true;
    AdvanceFrame();
  }
}

private bool AdjustFrameForStrike(int pins)
{
  if(pins == 10)
  {
    AdvanceFrame();
    return true;
  }
  return false;
}

RCM: That’s pretty good. Now, about that 11.

RSK: You really hate that, don’t you?

RCM: Yeah, look at the Score property

public int Score
{
  get { return ScoreForFrame(GetCurrentFrame() - 1); }
}

RCM: That -1 is odd. It’s the only place we truly use CurrentFrame, and yet we need to adjust what it returns.

RSK: Damn, you’re right. How many times have we reversed ourselves on this?

RCM: Too many. But there is it. The code wants currentFrame to represent the frame of the last thrown ball, not the frame we are about to throw into.

RSK: Sheesh, that’s going to break lots of tests cases.

RCM: Actually, I think we should remove CurrentFrame from all the test cases and remove the CurrentFrame function itself. Nobody really uses it.

RSK: OK, I get your point. I’ll do it. It’ll be like putting a lame horse out of its misery. (grabs keyboard)

//Game.cs----------------------------------
  public int Score
  {
    get { return ScoreForFrame(currentFrame); }
  }


  private void AdvanceFrame()
  {
    currentFrame++;
    if(currentFrame > 10)
      currentFrame = 10;
  }

RCM: Oh, for crying out loud. You mean to tell me that we were fretting over that. All we did was change the limit from 11 to 10 and remove the -1. Cripe.

RSK: Yeah, Uncle Bob, it really wasn’t worth all the angst we gave it.

RCM: I hate the side effect in AdjustFrameForStrike(). I want to get rid of it. What do you think of this?

private void AdjustCurrentFrame(int pins)
{
  if ((isFirstThrow && pins == 10) || (!isFirstThrow))
    AdvanceFrame();
  else
    isFirstThrow = false;
}

RSK: I like the idea, and it passes the tests, but I hate the long if statement. How about this?

private void AdjustCurrentFrame(int pins)
{
  if (Strike(pins) || (!isFirstThrow))
    AdvanceFrame();
  else
    isFirstThrow = false;
}

private bool Strike(int pins)
{
  return (isFirstThrow && pins == 10);
}

RCM: Yeah, that’s pretty. We could even go one step further:

private void AdjustCurrentFrame(int pins)
{
  if (LastBallInFrame(pins))
    AdvanceFrame();
  else
    isFirstThrow = false;
}

private bool LastBallInFrame(int pins)
{
  return Strike(pins) || (!isFirstThrow);
}

RSK: Nice!

RCM: OK, looks like we are done. Let’s just read through the whole program and see whether it’s as simple and communicative as it can be.

//Game.cs----------------------------------
public class Game
{
  private int currentFrame = 0;
  private bool isFirstThrow = true;
  private Scorer scorer = new Scorer();

  public int Score
  {
    get { return ScoreForFrame(currentFrame); }
  }

  public void Add(int pins)
  {
    scorer.AddThrow(pins);
    AdjustCurrentFrame(pins);
  }

  private void AdjustCurrentFrame(int pins)
  {
    if (LastBallInFrame(pins))
      AdvanceFrame();
    else
      isFirstThrow = false;
  }

  private bool LastBallInFrame(int pins)
  {
    return Strike(pins) || (!isFirstThrow);
  }

  private bool Strike(int pins)
  {
    return (isFirstThrow && pins == 10);
  }


  private void AdvanceFrame()
  {
    currentFrame++;
    if(currentFrame > 10)
      currentFrame = 10;
  }

  public int ScoreForFrame(int theFrame)
  {
    return scorer.ScoreForFrame(theFrame);
  }
}

//Scorer.cs----------------------------------
public class Scorer
{
  private int ball;
  private int[] throws = new int[21];
  private int currentThrow;

  public void AddThrow(int pins)
  {
    throws[currentThrow++] = pins;
  }

  public int ScoreForFrame(int theFrame)
  {
    ball = 0;
    int score=0;
    for (int currentFrame = 0;
      currentFrame < theFrame;
      currentFrame++)
    {
      if(Strike())
      {
        score += 10 + NextTwoBallsForStrike;
        ball++;
      }
      else if ( Spare() )
      {
        score += 10 + NextBallForSpare;
        ball += 2;
      }
      else
      {
        score += TwoBallsInFrame;
        ball += 2;
      }
    }

    return score;


  }

  private int NextTwoBallsForStrike
  {
    get { return (throws[ball+1] + throws[ball+2]); }
  }

  private int NextBallForSpare
  {
    get { return throws[ball+2]; }
  }

  private bool Strike()
  {
    return throws[ball] == 10;
  }

  private int TwoBallsInFrame
  {
    get { return throws[ball] + throws[ball+1]; }
  }

  private bool Spare()
  {
    return throws[ball] + throws[ball+1] == 10;
  }
}

RCM: OK, that looks pretty good. I can’t think of anything else to do.

RSK: Yeah, it’s pretty. Let’s look over the tests for good measure.

//GameTest.cs--------------------------------
using NUnit.Framework;

[TestFixture]
public class GameTest
{
  private Game game;

  [SetUp]
  public void SetUp()
  {
    game = new Game();
  }

  [Test]
  public void TestTwoThrowsNoMark()
  {
    game.Add(5);
    game.Add(4);
    Assert.AreEqual(9, game.Score);
  }


[Test]
public void TestFourThrowsNoMark()
{
  game.Add(5);
  game.Add(4);
  game.Add(7);
  game.Add(2);
  Assert.AreEqual(18, game.Score);
  Assert.AreEqual(9,  game.ScoreForFrame(1));
  Assert.AreEqual(18, game.ScoreForFrame(2));
}

[Test]
public void TestSimpleSpare()
{
  game.Add(3);
  game.Add(7);
  game.Add(3);
  Assert.AreEqual(13, game.ScoreForFrame(1));
}

[Test]
public void TestSimpleFrameAfterSpare()
{
  game.Add(3);
  game.Add(7);
  game.Add(3);
  game.Add(2);
  Assert.AreEqual(13, game.ScoreForFrame(1));
  Assert.AreEqual(18, game.ScoreForFrame(2));
  Assert.AreEqual(18, game.Score);
}

[Test]
public void TestSimpleStrike()
{
  game.Add(10);
  game.Add(3);
  game.Add(6);
  Assert.AreEqual(19, game.ScoreForFrame(1));
  Assert.AreEqual(28, game.Score);
}

[Test]
public void TestPerfectGame()
{
  for (int i=0; i<12; i++)
  {
    game.Add(10);
  }
  Assert.AreEqual(300, game.Score);


}

[Test]
public void TestEndOfArray()
{
  for (int i=0; i<9; i++)
  {
    game.Add(0);
    game.Add(0);
  }
  game.Add(2);
  game.Add(8); // 10th frame spare
  game.Add(10); // Strike in last position of array.
  Assert.AreEqual(20, game.Score);
}

[Test]
public void TestSampleGame()
{
  game.Add(1);
  game.Add(4);
  game.Add(4);
  game.Add(5);
  game.Add(6);
  game.Add(4);
  game.Add(5);
  game.Add(5);
  game.Add(10);
  game.Add(0);
  game.Add(1);
  game.Add(7);
  game.Add(3);
  game.Add(6);
  game.Add(4);
  game.Add(10);
  game.Add(2);
  game.Add(8);
  game.Add(6);
  Assert.AreEqual(133, game.Score);
}

[Test]
public void TestHeartBreak()
{
  for (int i=0; i<11; i++)
    game.Add(10);
  game.Add(9);
  Assert.AreEqual(299, game.Score);
}

[Test]
public void TestTenthFrameSpare()


  {
    for (int i=0; i<9; i++)
      game.Add(10);
    game.Add(9);
    game.Add(1);
    game.Add(1);
    Assert.AreEqual(270, game.Score);
  }
}

RSK: That pretty much covers it. Can you think of any more meaningful test cases?

RCM: No, I think that’s the set. There aren’t any there that I’d be comfortable removing at this point.

RSK: Then we’re done.

RCM: I’d say so. Thanks a lot for your help.

RSK: No problem; it was fun.

Conclusion

After writing this chapter, I published it on the Object Mentor Web site.2 Many people read it and gave their comments. Some folks were disturbed that there was almost no object-oriented design involved. I find this response interesting. Must we have object-oriented design in every application and every program? In this case, the program simply didn’t need much of it. The Scorer class was really the only concession to OO, and even that was more simple partitioning than true OOD.

Other folks thought that there really should be a Frame class. One person went so far as to create a version of the program that contained a Frame class. It was much larger and more complex than what you see here.

Some folks felt that we weren’t fair to UML. After all, we didn’t do a complete design before we began. The funny little UML diagram on the back of the napkin (Figure 6-2) was not a complete design; it did not include sequence diagrams. I find this argument rather odd. It doesn’t seem likely to me that adding sequence diagrams to Figure 6-2 would have caused us to abandon the Throw and Frame classes. Indeed, I think it would have entrenched us in our view that these classes were necessary.

Am I trying to say that diagrams are inappropriate? Of course not. Well, actually, yes, in a way I am. For this program, the diagrams didn’t help at all. Indeed, they were a distraction. If we had followed them, we would have wound up with a program that was much more complex than necessary. You might contend that we would also have wound up with a program that was more maintainable, but I disagree. The program you see here is easy to understand and therefore easy to maintain. There are no mismanaged dependencies within it that make it rigid or fragile.

So, yes, diagrams can be inappropriate at times. When are they inappropriate? When you create them without code to validate them and then intend to follow them. There is nothing wrong with drawing a diagram to explore an idea. However, having produced a diagram, you should not assume that it is the best design for the task. You may find that the best design will evolve as you take tiny little steps, writing tests first.

In support of this conclusion, let me leave you with the words of General Dwight David Eisenhower: “In preparing for battle I have always found that plans are useless, but planning is indispensable.

Overview of the Rules of Bowling


Bowling is a game that is played by throwing a cantaloupe-sized ball down a narrow alley toward ten wooden pins. The object is to knock down as many pins as possible per throw.

The game is played in ten frames. At the beginning of each frame, all ten pins are set up. The player then gets two tries to knock them all down.

If the player knocks all the pins down on the first try, it is called a “strike,” and the frame ends. If the player fails to knock down all the pins with the first ball but succeeds with the second ball, it is called a “spare.” After the second ball of the frame, the frame ends even if pins are still standing.

A strike frame is scored by adding ten, plus the number of pins knocked down by the next two balls, to the score of the previous frame. A spare frame is scored by adding ten, plus the number of pins knocked down by the next ball, to the score of the previous frame. Otherwise, a frame is scored by adding the number of pins knocked down by the two balls in the frame to the score of the previous frame.

If a strike is thrown in the tenth frame, the player may throw two more balls to complete the score of the strike. Likewise, if a spare is thrown in the tenth frame, the player may throw one more ball to complete the score of the spare. Thus, the tenth frame may have three balls instead of two.

image

The preceding scorecard shows a typical, if rather poor, game. In the first frame, the player knocked down one pin with the first ball and four more with the second. Thus, the player’s score for the frame is a 5. In the second frame, the player knocked down four pins with the first ball, and five more with the second. That makes nine pins total, added to the previous frame makes 14.

In the third frame, the player knocked down six pins with the first ball and knocked down the rest with the second for a spare. No score can be calculated for this frame until the next ball is rolled.

In the fourth frame, the player knocks down five pins with the first ball. This lets us complete the scoring of the spare in frame 3. The score for frame 3: 10 plus the score in frame 2 (14) plus the first ball of frame 4 (5), or 29. The final ball of frame 4 is a spare.

Frame 5 is a strike. This lets us finish the score of frame 4 which is 29 + 10 + 10 = 49.

Frame 6 is dismal. The first ball went in the gutter and failed to knock down any pins. The second ball knocked down only one pin. The score for the strike in frame 5 is 49 + 10 + 0 + 1 = 60.

The rest you can probably figure out for yourself.


..................Content has been hidden....................

You can't read the all page of ebook, please click here login for view all page.
Reset
18.222.22.244