Category Archives: C#

Taking on the Gilded Rose Kata

I was recently invited to attend the Chicago Software Craftsmanship presentation on “Untangling the Gilded Rose”.  While I was unfortunately unable to attend, I found the topic inspirational enough to write about.  The topic was a code kata, described as taking an existing code base and refactoring it to be more maintainable.  The  kata for this blog post is called the Gilded Rose Kata and is described here with a project template found here.

1.  Write the Specs

We are given the specs, but I’ve copied and consolidated them below.  They seem simple at first, but going through them multiple times reveals some subtleties.

  1. ‘Aged Brie’ increases quality increase by 1 each day.
  2.  ‘+5 Dexterity Vest’ quality increase by 1 each day.
  3. ‘Elixir of the Mongoose’ quality increase by 1 each day.
  4. ‘Sulfuras, Hand of Ragnaros’ quality and sellin stay the same.
  5. ‘Backstage passes to a TAFKAL80ETC concert’ quality goes up by 1 each day when the Sellin is greater than 10.  Quality increases by 2 when there are 10 days or less and by 3 when there are 5 days or less but Quality drops to 0 after the concert.
  6. “Conjured” items degrade in Quality twice as fast as normal items.
  7. All items quality is never negative.
  8. All items quality may never go over 50.

Do we understand the specs?  In this case, a few things weren’t clear from the specs.

  1. Would the item being updated ever be in an invalid state?  If so, how would we handle it?  I’m going to assume no for the purposes of the refactoring since neither the original code nor the specs address this issue.
  2. Should the Quality being calculated before or after the SellIn is reduced?  We can derive this from the current code base, which indicate we should reduce the sellin before calculating the quality.
  3. Should we consider if multiple rules could apply to an item?  For example, what if there was a “Conjured Aged Brie” that required both the rules for “Conjured” and “Aged Brie” be applied?  We’ll assume no, as there no indication from the specs this should be considered.
  4. There are many other possible requirements that we’ll ignore and assume should be up to our discretion since they are not explicitly stated, e.g. performance, development methodology, testing methodology, etc.

2.  Write the tests

One of the purposes of the Kata is to practice TDD, or test driven development. So we’ll first write our unit tests.  However, this leads to a common chicken or egg problem with TDD.  How do I know what classes and methods to test when there is no class design yet? Typically, I will think through the overall class design and write the stubs before writing the units test, so at least there is a starting point.  There will be probably be changes and not all of our assumptions may turn out to be true, but its better to plot a course now and adjust later than to completely miss the mark.

3. What are the design goals?

The kata is pretty open ended as far as design goals. Given this, we’ll come up with our own set of goals to accomplish.

  1. Localize item processing to the item’s type –  The low cohesion of the items type to the calculation for that type’s quality is probably the most serious problem we see with the current design.  If you were trying to follow how the quality was calculated for “Backstage passes to a TAFKAL80ETC concert” it would be difficult as it is in 2 different places, separated by unrelated code, and deeply nested within if/else structures.  We want to have a single place for each items quality calculation.
  2. Reduce nested if/else structures.   Nested if/else constructs make code difficult to understand. Why?  Because you have to understand several different lines of code in conjunction to understand if a particular nested statement will be executed.  Favor flattening conditional statements whenever possible.  This will localize the conditional logic of whether a particular statement is executed.
  3. Make testable – We want all of our code to be easily testable with unit tests so any further refactoring will be easier and have code coverage.

4. The design

So the design I went with is to have a class for each unique update algorithm.  This is going to be represented by a strategy pattern.  This will allow us to iterate through each item and apply the update function to each item independently of knowing the type of each item.  This leaves us with a mapping problem of finding the correct strategy for the type.  We will solve this with a factory pattern to create and return the strategy instance for the unique type.

public interface IUpdateStrategyFactory
{
    IUpdateStrategy Create(string name);
}

public interface IUpdateStrategy
{
    void UpdateQuality(Item item);
}

5.  Write the code

I won’t go through all the trivial details, but here is the factory, 2 of the strategies, and the greatly simplifed UpdateQuality() loop.

public class UpdateStrategyFactory : IUpdateStrategyFactory
{
    public IUpdateStrategy Create(string name)
    {
        if (name == "Sulfuras, Hand of Ragnaros")
        {
            return new DoNothingUpdate();
        }
        else if (name == "Aged Brie")
        {
            return new AgedBrieUpdateStrategy();
        }
        else if (name == "Backstage passes to a TAFKAL80ETC concert")
        {
            return new BackstagePassesUpdateStrategy();
        }
        else if (name.Contains("Conjured"))
        {
            return new ConjuredUpdateStrategy();
        }
        else
        {
            return new StandardUpdateStrategy();
        }
    }
}
public class StandardUpdateStrategy : IUpdateStrategy
{
    public void UpdateQuality(Item item)
    {
        item.SellIn--;
        if (item.Quality <= 0)
        {
            return;
        }
        else if (item.Quality == 1)
        {
            item.Quality = 0;
        }
        else
        {
            item.Quality -= item.SellIn < 0 ? 2 : 1;
        }
    }
}

The final loop is now much easier to read and understand.

public void UpdateQuality()
{
    foreach (Item item in Items)
    {
        var updateStrategy = _strategyFactory.Create(item.Name);
        updateStrategy.UpdateQuality(item);
    }
}

That’s it!  If you have any feedback, please leave it below in the comments.  The source code is available for download.

Update: I’ve added my solution to github. https://github.com/jacerhea/GildedRose

Starting with SignalR and Knockout.js

After working in web development for many years its rare that you get to work with a technology that changes how you program a web app.  I recently had the opportunity to work with one such web technology generally known as Comet.  While it has been around for several years, its become more common as the demand for real time data and responsive applications has increased.

I’ll walk through creating a real time stock price tracker using SignalR, knockoutjs, and underscore to show how easy it is to feed real time data to a client browser without the typical heavy-handed async updates and DOM manipulation of most applications.

Setup Hub

For our simple example the client will only be listening for messages, and not sending them to the server.  So we only need an empty class that inherits from Hub to send updates to the client.

public class DemoHub : SignalR.Hubs.Hub
{
}

Add NuGet packages

  1. jQuery – Dependency for signalr
  2. knockoutjs – viewmodel ->view binding framework
  3. signalr – Both client and server libraries for sync communication
  4. underscore.js – collection querying

Reference signalR as well the other javascript libraries:

@Scripts.Render("~/bundles/jquery")
<script src="~/Scripts/jquery.signalR-1.1.3.js" type="text/javascript"></script>
<script src="~/signalr/hubs" type="text/javascript"></script>
<script src="~/Scripts/underscore.js" type="text/javascript"></script>
<script src="~/Scripts/knockout-2.3.0.js" type="text/javascript"></script>

Send data

We’ll create a separate thread to send price updates to the client via the Hub.

protected void Application_Start()
{
....
    var random = new Random();

    ThreadPool.QueueUserWorkItem(_ =>
    {
        var hubContext = GlobalHost.ConnectionManager.GetHubContext();

        while (true)
        {
            hubContext.Clients.UpdatePrice(new DemoHubPriceUpdateModel { Symbol = "AAPL", Price = (random.Next(620, 650) + random.NextDouble())});
            Thread.Sleep(500);
        }
    });
}

Create binding template

<table>
    <tbody>
        <tr>
            <th>Symbol</th>
            <th>Price</th>
            <th>Last Updated</th>
        </tr>
    </tbody>
    <tbody data-bind="foreach: stocks">
        <tr>
            <td data-bind="text: symbol"></td>
            <td data-bind="text: price"></td>
            <td data-bind="text: updated"></td>
        </tr>
    </tbody>
</table>

Create ViewModel

Here we will create the viewmodel, which is just a plain old javascript object.  We will also create the function listener for when price updates are sent. The UpdatePrice function will be passed the data from the server side as JSON, and update the price and last updated date of the relevant stock.

function Stock(symbol, price, updated) {
    this.symbol = symbol;
    this.price = ko.observable(price);
    this.updated = ko.observable(updated);
};

$(function () {
    var now = new Date();
    var viewModel = {
        stocks: [
            new Stock("AAPL", 648.11, now),
            new Stock("MSFT", 30.90, now),
            new Stock("FB", 19.05, now),
            new Stock("YHOO", 15.03, now)]
    };
$(function () {
    // Proxy created on the fly
    var demoHub = $.connection.demoHub;
    demoHub.UpdatePrice = function (priceUpdate) {
        _.chain(viewModel.stocks)
            .filter(function (stock) {return stock.symbol == priceUpdate.Symbol;})
            .each(function (stock) {
                stock.price(priceUpdate.Price.toFixed(2));
                stock.updated(new Date());
            });
        };

        // Start the connection
        $.connection.hub.start();
    });

    ko.applyBindings(viewModel);
});

Live Running App

running application

I hope this example demonstrate the simplicity of working with real time data with a few open source libraries.  The source code of this post is available for download here.

Prettify a list of integers in C#

In a recent project using .NET 3.5 and C# I needed to print out a long list of integers for the UI.  This is of course quite trivial, but I also wanted to make it easy to read by replacing all consecutive numbers with a hyphen.  For example a list of integers like this 1,2,3,4,5,7,8,10,11, should print out as 1-5, 7-8, 10-11.

I wrote the following extension method on the the IEnumerable<int> interface to accomplish this.  You can download it.

Update: Modified algorithm to run in O(n) instead of O(n2) time.

using System.Collections.Generic;using System.Linq;using System.Text;public static class EnumerableIntExtensions

{

public static string GetOrderedSetValues(this IEnumerable<int> list)

{

var orderedSet = list.OrderBy(x => x).Distinct().ToList();

var returnValue = new StringBuilder(orderedSet.Count * 2);

for (int currentIndex = 0; currentIndex < orderedSet.Count; currentIndex++)

{

if(IsEndOfList(orderedSet, currentIndex))

{

returnValue.Append(orderedSet[currentIndex]);

}

else if (IsBeginningOfGroup(orderedSet, currentIndex))

{

returnValue.Append(orderedSet[currentIndex]);

if (IsEndOfGroup(orderedSet, currentIndex))

{

returnValue.Append(“, “);

}

else

{

returnValue.Append(“-“);

}

}

else

{

if (IsEndOfGroup(orderedSet, currentIndex))

{

returnValue.Append(orderedSet[currentIndex]);

returnValue.Append(“, “);

}

else

{

//do nothing, ie. middle of grouping

}

}

}

return returnValue.ToString();

}

private static bool IsBeginningOfGroup(IList<int> list, int index)

{

if (index == 0) { return true; }

bool precedingExists = list[index] – 1 == list[index -1];

return !precedingExists;

}

private static bool IsEndOfGroup(IList<int> list, int index)

{

if (index == list.Count – 1) { return true; }

bool succeedingExists = list[index] + 1 == list[index + 1];

return !succeedingExists;

}

private static bool IsEndOfList(IList<int> list, int index)

{

return list.Count == index + 1;

}

}