» The Strategy pattern involves removing an algorithm from its host class and putting it in a separate class; » The context will often contain a switch statement or a cascading if statement, where information is processed to reach a decision on which Strategy to adopt.
Use When:
» Many related classes differ only in their behaviour; » There are different algorithms for a given purpose, and the selection criteria can be codified; » The algorithm uses data to which the client should not have access.
//Define the Pattern Interface and Handler Objects.
//Define the IStrategy interface to be used as the "blueprint" for the main application classes. //This interface defines the Sort() method. The Sort() method represents the different sort functions that can be applied. public interfaceIStrategy { void Sort(List<string> list); }
//The QuickSortStrategy class (object) represents a sort pattern that implements a quick sort algorithm. public classQuickSortStrategy : IStrategy { public void Sort(List<string> list) { list.Sort(); } }
//The MergeSortStrategy class (object) represents a sort pattern that implements a merge sort algorithm. public classMergeSortStrategy : IStrategy
private string[] SplitArray(string[] data, int lower, int upper) { string[] sub = new string[upper - lower + 1]; for (int i = lower; i <= upper && i < data.Length; i++) { sub[i - lower] = data[i]; }
//The Context class (object) stores the application data and applies the sort strategy selected against the application data. public classContext { privateList<string> _list = newList<string>(); privateIStrategy _sortStrategy;
public Context(IStrategy sortStrategy) { _sortStrategy = sortStrategy; }
public void AddItem(string name) { _list.Add(name); }
public void SetSortStrategy(IStrategy sortStrategy) { _sortStrategy = sortStrategy; }
public void Sort() { _sortStrategy.Sort(_list); foreach (string name in _list) { Console.WriteLine(name); } } }