Click here to Skip to main content
15,860,972 members
Articles / Programming Languages / C#

Design Patterns Part 1 - The Strategy Pattern

Rate me:
Please Sign up or sign in to vote.
4.96/5 (82 votes)
17 Jan 2010CPOL8 min read 139.4K   174   30
An article exploring the Strategy Pattern as part of the Design Patterns series. We look at an example using MD5/SHA256 hashing algorithms for strings.

Design Patterns 1

A series of articles exploring Design Patterns and creating useful examples in C#, putting the pattern into practice. This series is aimed at the programmer with good object-oriented knowledge and a curiosity of Design Patterns, but no prior knowledge of these is assumed. This week, we look at how to separate operations from their algorithms and how to vary the algorithm easily, even at runtime!

The Strategy pattern

The strategy design pattern is one of my favourites, quite easy to understand and will serve as a good introduction to the Design Patterns series.

Defined

The unofficially accepted definition for the Strategy Pattern is: Define a family of algorithms, encapsulate each one, and make them interchangeable. Strategy lets the algorithm vary independently from clients that use it.1

The key phrases here are "Family of algorithms", "encapsulate", and "interchangeable". In other words, the Strategy Pattern encapsulates a collection of functions that do similar yet not identical jobs. For example, we might be reading in a file, but the file format is volatile. It could be we need to read XML format, or CSV format, or different versions of the file. We could be encrypting a document, but we would like to benchmark several encryption algorithms before deciding on a final one. We might create a game, but not tie the rendering to a particular version of DirectX, or even limit ourselves exclusively to DirectX at all.

In a nutshell, the Strategy Pattern helps us code without fear of making decisions that will negatively affect and bog down our codebase in future. It allows us to make grand sweeping changes with minimum effort. It yields solutions which are elegant, extensible, and powerful. It can turn a project from a spiraling defeat into a roaring success. Let's look at an example.

In Practice

Hashing a string is quite a common operation in programming. It is also highly variable, having more algorithms than I have underpants, even if I turn them inside out and wear them for an extra week. This makes a hashing function ideal for the Strategy Pattern.

The Problem

We are working for a company called "Awesome Software With Biscuits Unlimited Ltd." This is not the only problem. Our boss, Bernie Hobnob, tells you we need to retrieve MD5 hashes of strings for our range of security products.

Testing

As model professionals, we decide to set up a test harness to verify our coding results. First, we need some verifiable data.

Let's use the hash generator here to create our expected data: http://www.whatsmyip.org/hash_generator/.

I am using "Web Biscuit" as the test string. The expected MD5 is:

md5: 26c6d2e0cfbbe42fff4bb9c1e8dece7d
sha256: 2072a868e8c5fa8331cad489bc63e6aff3ba8ccc057142c284ad0379e5becf8a

Now we need the test harness. We are using a helper function here:

C#
string ByteToString(Byte[] bytes)
{
    StringBuilder builder = new StringBuilder();

    // Loop through each byte of the data 
    // and format each one as a hexadecimal string.
    for (int i = 0; i < bytes.Length; i++)
    {
        builder.Append(bytes[i].ToString("x2"));
    }

    return builder.ToString();
}

And here is the test case:

C#
[TestMethod]
public void TestMd5()
{
    string md5WebBiscuit = "26c6d2e0cfbbe42fff4bb9c1e8dece7d";
    Assert.AreEqual(
        md5WebBiscuit,
        ByteToString(Hash("Web Biscuit")));    
}

First Solution

We now implement an MD5 hashing function, and quickly come up with something similar to the following:

C#
public byte[] Hash(string input)
{
    MD5 hasher = MD5.Create();
    return hasher.ComputeHash(Encoding.Default.GetBytes(input));
}

We run the test case and it passes. Done! Works! Pub!

Darkness Grows...

The problem with the first solution is we have created a system which is not extensible. Over the next few months, we distribute our hash function in a DLL used by millions of people, and the Hash("My crazy string") line finds its way into hundreds of products (we're a very successful company).

And then, something terrible happens. The MD5 hashing is found to be flawed.

Bernie Hobnob tells us we now need to use an SHA256 algorithm, but ultimately we are doomed. We still have to support an old API and we are not allowed to change any current behaviour for clients, so we are forced to write something like this:

C#
public byte[] Hash(string input, string type)
{
    if (type == "MD5")
    {
        MD5 hasher = MD5.Create();
        return hasher.ComputeHash(Encoding.Default.GetBytes(input));
    }
    else if (type == "SHA256")
    {
        SHA256 hasher = new SHA256Managed();
        return hasher.ComputeHash(Encoding.Default.GetBytes(input));
    }
    else
    {
        return input; // Or throw exception?
    }
}

And a default method:

C#
public byte[] Hash(string input)
{
    return Hash(input, "MD5");
}

With no way to recall our DLL or force the rewrite of hundreds of lines of code, we are required to support an unsecure API forever. As time goes on, we need to implement more and more hashing algorithms. Before we know it, the Hash function turns into a giant if/if-else statement, has babies, and moves into your house. We find we need to change a core class every time we discover a new hashing algorithm. A maintenenance nightmare quickly develops. Within a few weeks, the company collapses, and one Monday morning, we are standing in the dole queue talking to PHP developers.

The Strategy Solution

As with all design patterns, the Golden Rule is that we encapsulate the code that can change. And, what we have changing here is the hashing algorithm. If you are not used to design patterns, and have a 'classical' object-oriented background (where you circle nouns to make classes and mark verbs as operations), you might not be used to thinking of algorithms as objects, but for our Strategy Pattern solution, we are going to turn the algorithm into an object. Doing so will yield amazing flexibility.

We are abstracting an implementation from an action. When it comes down to it, the action needs to know what it needs to do, but not exactly how to do so. We are going to help this function by passing its algorithm as an extra parameter. Which algorithm do we support? All of them. Including the ones that have not been written yet. How do we do this? Have a think before letting your eyes wander down the page.

We use an interface! Correct. Top of the class for you. You will notice that design patterns make heavy use of abstract ideas, and interfaces are usually the epitome of abstraction, so the two walk hand-in-hand and date quite often. Let's take a look at our new signature for the Hash function:

C#
public byte[] Hash(string input, IHasher hasher)

You'll notice it is not that much different to what we have, other than that we pass in a hasher algorithm object. Now, let's look at the fully revised function:

C#
public byte[] Hash(string input, IHasher hasher)
{
    return hasher.Hash(Encoding.Default.GetBytes(input));
}

It is different to what we had before, but not violently so. There is now no call to the MD5 classes in the .NET framework. This function knows nothing about MD5s at all. If you asked this function a question about an MD5, it would stare blankly back at you. This is because we have reprogrammed this function to hash a string via abstraction. The hasher object we pass in is concerned about MD5s, SHA256s, and XYZ1248s, not the method managing the action.

The interface is very simply defined:

C#
public interface IHasher
{
    byte[] Hash(byte[] input);
}

With this reusable, extensible framework, we can begin to create some concrete classes and use our new methods.

Here is an MD5 class using our new shiny interface:

C#
public class MD5Hasher : IHasher
{
    #region IHasher Members

    public byte[] Hash(byte[] input)
    {
        MD5 hasher = MD5.Create();
        return hasher.ComputeHash(input);
    }

    #endregion
}

And here is a SHA256 implementation:

C#
public class SHA256Hasher : IHasher
{
    #region IHasher Members

    public byte[] Hash(byte[] input)
    {
        SHA256 hasher = new SHA256Managed();
        return hasher.ComputeHash(input);
    }

    #endregion
}

And now, one final important detail: how we use it. We modify our test harness to encompass the following:

C#
[TestMethod]
public void TestMd5StrategyPattern()
{
    string md5WebBiscuit = "26c6d2e0cfbbe42fff4bb9c1e8dece7d";

    Assert.AreEqual(
        md5WebBiscuit,
        ByteToString(Hash("Web Biscuit", new MD5Hasher())));
}

We use the hash generator web page to generate data so we can verify SHA256 signatures. Notice that the only bit of code that really changes in this test is the hashing object passed into the Hash function:

C#
[TestMethod]
public void TestSHA256StrategyPattern()
{
    string sha256WebBiscuit = "2072a868e8c5fa8331cad489" + 
           "bc63e6aff3ba8ccc057142c284ad0379e5becf8a";

    Assert.AreEqual(
        sha256WebBiscuit,
        ByteToString(Hash("Web Biscuit", new SHA256Hasher())));
}

And that is all there is to it. Well done, you have now learned the Strategy Pattern.

How Does This Help?

What now? Has this actually helped us? We have replaced all these lines:

C#
Hash("Web Biscuit");

with these lines:

C#
Hash("Web Biscuit", new MD5Hasher());

but has this solved anything? Don't we still have a maintenance nightmare finding and replacing all those MD5Hasher() with SHA256Hasher() objects?

Firstly, we have eradicated the ever-growing if/ifelse problem. Our client code no longer needs omnipotent knowledge of every hash algorithm known to man. We do not need to change our code when we change the algorithm.

Furthermore, there is one more step we can take, and in the process, we are going to take a sneak preview of the Factory Pattern. Look again at this line:

C#
Hash("Web Biscuit", new MD5Hasher());

Remember the Golden Rule? We have been breaking it. We are not encapsulating the code that changes. Here, we are coding against a concrete class which can most definitely change. There is an easy fix for this. Remembering that MD5Hasher is of type IHasher, we can define a function as follows:

C#
public IHasher GetHashingType()
{
    return new MD5Hasher();
}

and replace our function calls as:

C#
Hash("Web Biscuit", GetHashingType());

Our concrete class is now defined in one place, which means just one change when the hashing algorithm changes. This is a good thing.

Apart from maintenance benefits, look at the coding flexibility this has given us:

  • This function could sit on a server, so we can automatically control the algorithms of all our calling clients;
  • We could return different algorithms based on user settings;
  • We could return mock objects if we're in debug mode, to aid debugging.

Alternative Implementations

We used interfaces and objects in the example above. You can also implement the Strategy Pattern using delegates, or, in C++, function pointers. This is left as an exercise for the reader.

Conclusion

The Strategy Pattern is used to encapsulate changes, and allows you to easily swap in and out alternative implementations, even at runtime. This makes it a great tool for benchmarking algorithms, responding to volatile requirements, and quickly trying out new ideas.

The abstraction can be implemented indefinitely, either by the original author or third parties, in known or unknown ways. The core libraries using these abstractions continue to be called with their internals unchanging, and with minimum disruption to the system as a whole. These are good strong steps into robust software engineering.

Back at the office, Bernie Hobnob was so delighted with our hard work that he gave us a raise of two biscuits. Hooray!

Daniel Childs, WebBiscuit, 17th January 2010.

References

1 Design Patterns (the Gang of Four book), Strategy Pattern, page 267

Further Reading

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer Web Biscuit
United Kingdom United Kingdom
At Web Biscuit, you can find software, articles, a good dollop of quality and an unhealthy obsession over biscuits.
Website: http://www.webbiscuit.co.uk
Twitter Watch: http://twitter.com/WebBiscuitCoUk

Comments and Discussions

 
GeneralGood Stuff, very funny Pin
Douglas Troy22-Jan-10 6:44
Douglas Troy22-Jan-10 6:44 
GeneralVery nice [modified] Pin
Joost Verdaasdonk21-Jan-10 21:59
Joost Verdaasdonk21-Jan-10 21:59 
GeneralVery nice Pin
Ramasrimani20-Jan-10 0:31
Ramasrimani20-Jan-10 0:31 
GeneralThanks for your post Pin
hkim_zoro19-Jan-10 20:22
hkim_zoro19-Jan-10 20:22 
General5! Pin
Marc Clifton19-Jan-10 12:05
mvaMarc Clifton19-Jan-10 12:05 
GeneralNice ... Pin
Jammer19-Jan-10 8:55
Jammer19-Jan-10 8:55 
GeneralGreat article!!!! Pin
PCoffey19-Jan-10 7:49
PCoffey19-Jan-10 7:49 
GeneralLOL! Pin
BigTuna18-Jan-10 5:24
BigTuna18-Jan-10 5:24 
"Within a few weeks, the company collapses, and one Monday morning, we are standing in the dole queue talking to PHP developers."
GeneralNice article Pin
Vivek_Minhas17-Jan-10 23:01
Vivek_Minhas17-Jan-10 23:01 
GeneralThanks! Pin
Alexander_Ukhov17-Jan-10 20:20
Alexander_Ukhov17-Jan-10 20:20 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.