Click here to Skip to main content
15,879,535 members
Articles / Programming Languages / C#

Chain of Responsibility and Strategy pattern using Task C#

Rate me:
Please Sign up or sign in to vote.
4.94/5 (14 votes)
28 Apr 2017CPOL7 min read 31.3K   604   21   10
Simple design idea to use Task class and implement batch processing of requests

 

Introduction

There are many scenarios that requires batch processing. Processing a bulk order of some product or processing a bulk request for doing something. This article will not foucs on performance effective processing but provides a simple process implementation. A process can be defined as a workflow with many small tasks.  I will describe a simple workflow Cooking process and how I applied Task class following chain of responsibility and strategy design patterns.

Background

I have worked on a windows service that handles a batch of install order requests. Before I learnt about the C# Task class I created some Abstract classes on my own for Process and Task and then used Thread and ThreadPool classes to execute my tasks. (I will try to post my codes based on this old design when I get a chance.) When I came across the article Task Parallel Library: 1 of n series by Sacha Barber, I got interest with Task class and started using it by following some of the design patterns which I am presenting here.

Problem statement

Let us take "Cooking Process" as an example work flow to implement. We all know cooking process involves several tasks like "Buying vegetables, Cutting them, Cleaning vessels, Preparing ingredients, cooking etc. Some of these tasks are dependent on others, for example Cutting vegetables needs vegetables to be bought. Some tasks can happen in parallel like Preparing ingrdients and buying vegetables, they are not dependant on each other. Each of these tasks transform or process the input to some output. Like any factory that process raw material to produce some product. For example, Cleaning vessels going to transfrom dirty vessels to clean. Cut vegetable will give fine chopped vegetables for easy cooking. As each of these taks has its own responsibility on inputs like ingredients, vegetables, vessels etc. These tasks on its own does not produce any dish. we have to tie up all these tasks as a chain of responsibility to produce the dish.

Everyone will be happy to have different dishes everyday. So our cooking process should not create same dish all the time. We need to have different recipe like Ratatouille (I never had this), Aloo Gobi (yes and I like it) etc. So we have to buy different vegetables for differnt recipe and thus buying vegetables task needs a N number of algorithms for N recipe. Same is for Cleaning vessels or preparing spices. We need to follow some good strategical algorithms not only to solve the problem, but to have the declicious dishes.

Chain of responsibility and Strategy Pattern

Chain of Responsibility passes a request along a chain of handlers. Buying task can be considered as such a handler whose responsibility is to buy required vegetables for given recipe. Vegetable is passed to next handler in the chain whose responsibility is to cut them. So forming this chain is important to make a workflow. This way client(Hungry people) need not bother how the dishes are made. All they do is ask and wait for dish.

System.Threading.Tasks namespace provides a good framework to create tasks and execute them in many different ways. And this library itself takes care of creating threads from Thread pool for us. Also gives us option to link the tasks one by one which is required for our cooking process.

Buying Vegetables, preparing ingrdients and cleaning vessels can be done asynchronously. So we can use Task.Factory.startNew() or Task.Run() that creates a task to execute asynchronously.

C++
//start the tasks
Task<string[]> buyVegiesTask = Task.Run(() => buyVegies(input.recipe));            
Task<string[]> cleanVesselsTask = Task.Run(() => cleanVessels(input.recipe));
Task<string[]> prepareIngredientsTask = Task.Run(() => prepareIngredients(input.recipe));

buyVegies, cleanVessels and prepareMassala are static methods that accepts Recipe as parameter. These static methods that operates on its parameter is good for thread safe work. And these are like utility methods created inside CookingProcess class.

Now we need to cut the vegetable that has been bought which is a chain task next to Buying Vegetable.

C#
 //cut vegetables            
 Task<String> cutVegeTask = buyVegiesTask.ContinueWith<string>(t =>
 {
      //Collect result
      input.Vegetables = t.Result;

      //Make a copy for cut task, so input is not affected
      string[] vegetables = new string[input.Vegetables.Length];
      input.Vegetables.CopyTo(vegetables, 0);

      return Retry(() =>
      {   //Passing bought vegetables to cut task
           return cutVegies(vegetables, input.recipe);

       }, 3);
 },TaskContinuationOptions.OnlyOnRanToCompletion);

Make a copy of Vegetables for cut task, to keep the result of buyVegiesTask safe. This is not required if you decide that vegetables are only used for cut task and it is no more important for other tasks.

buyVegiesTask.ContinueWith will ensure that cut happens only after Buy. Enum TaskContinuationOptions provides multiple options for chaining like OnlyOnCanceled, OnlyOnFaulted, NotOnCanceled, NotOnFaulted etc. Out of these options we need to execute Cut only when the buy vegetables completes. So OnlyOnRanToCompletion has been used.

Cooking task has to wait for all tasks like Buying Vegetable, Cutting them, Preparing Ingredients. Task.WaitAll can be used to make the cooking task wait till other tasks completes.

C++
Task.WaitAll(new Task[] { buyVegiesTask, cleanVesselsTask, prepareIngredientsTask, cutVegeTask });

When cooking is completed then decorating the dish and serving them can be done in a chain.

C#
Task<string[]> decorateTask = cookTask.ContinueWith((t) => {  return decorate(input.recipe);
}, TaskContinuationOptions.OnlyOnRanToCompletion);
C++
//serve
Task<string> serveTask = decorateTask.ContinueWith((t) => {  
     ...

     return serve(description, input.recipe);

}, TaskContinuationOptions.OnlyOnRanToCompletion);

Now to satisfy many people with differnt dishes we may need to cook more than one recipe. So our tasks like Buy vegetables, Cut vegetables, Cleaning Vessels etc will follow different algorithms according to recipe. For example potatoe recipe may need vegetables like Potatoe, onion etc to be bought. Where as a Brocoli recipe may need Brocoli to be bought. We need to collect more algorthims for each recipe for each task.

Define the Recipe as Enum in a Recipes class.

C++
public enum Recipe
{
        Ratatouille = 0,
        Aloo_gobi = 1
}

Create a dictionary (this may be a cook book) for each task that holds different ways to buy, to cut, to prepare for each recipe.

C++
public delegate string[] PrepareMasala();
public static Dictionary<Recipe, PrepareMasala> PrepareSpiceIngredientsAlgorithms = new Dictionary<Recipe, PrepareMasala>();

public delegate string[] buyVegie();
public static Dictionary<Recipe, buyVegie> buyVegieAlgorithms = new Dictionary<Recipe, buyVegie>();

public delegate string[] cleanVessel();
public static Dictionary<Recipe, cleanVessel> cleanVesselAlgorithms = new Dictionary<Recipe, cleanVessel>();

public delegate string[] decorate();
public static Dictionary<Recipe, decorate> decorateAlgorithms = new Dictionary<Recipe, decorate>();

This is an open dictionary that accepts any new invention of recipe. The idea is based on strategy pattern to select a buy or decorate algorithm at run time for the given recipe.

C++
Recipes.buyVegieAlgorithms.Add(Recipe.Ratatouille, () => new string[4] { "Ginger", "Onion", "zucchini", "eggplant" });
Recipes.buyVegieAlgorithms.Add(Recipe.Aloo_gobi, () => new string[4] { "Potatoes", "Cauliflower", "Onion", "Ginger" }); 

buyVegies task method selects the algorithm based on the recipe input.

C++
private static string[] buyVegies(Recipe recipe)
{
    // Select vegetables based on recipe
        string[] vegetables = Recipes.buyVegieAlgorithms[recipe]();

    ...
}

Retry and Handling Exception

Cut Vegetable task is implemented with Retry mechanism. Consider some one cut their finger and that is manageble to retry the task they are doing. For this case a TaskRetryableException is raised which provides a way to log the message and also retry the task. I have defined a boolean variable to Simulate this exception scenario. Also please note that Ratatouille is hard coded only for testing exception handling.

C++
static bool simulate_exception = true;
private static string cutVegies(string[] vegetables, Recipe recipe)
{    ...          

    if (recipe == Recipe.Ratatouille && simulate_exception)
        {
        ...
                TaskRetryableException exception = new TaskRetryableException(badMsg + "... But I can manage");
                simulate_exception = false;

                //TaskException exception = new TaskException(badMsg);
                throw exception;
    }
}

Consider some one cut their fingers badly and they cannot perform the task. For this case a TaskException is raised.

Retry is like a delegate method to the actual task method. Retry checks the retry counter for maximum attempts and delegates the call to actual method.

C++
public static T Retry<T>(Func<T> actualWork, int retryCount)
{
        int maxAllowedRetry = retryCount;
        while (true)
	{
		try
                {
                    return actualWork();
                }
                catch (TaskRetryableException e)
                {
                   
                    if (retryCount == 0 )
                    {
                        throw new   TaskException ( "Maximum count of retry attempts reached " );
		    }
		...

From Panagiotis Kanavos's excellent answer in http://stackoverflow.com/a/10494424/11635

All the exceptions that occurs during the tasks execution are added to InnerExceptions  property of AggrerateException. So the TaskException will also be added to AggregateException. Catch block for handling this exception is shown in the below code snippet.

Test the Kitchen

CookingInput class as the name says it is the input for each task in cooking process. This will store Recipe, Vegetables array, Vessels array, Ingrdients array etc.

An array of CookingInput has been created to do more than one cook job as a batch. Each input element in the array represents the cooking requests. Create a task for each input elements to start cooking parallely. So if there are 2 inputs in the array then 2 tasks are created to work parallely.

C++
CookingInput[] inputs = new CookingInput[2];
inputs[0] = new CookingInput(Recipe.Aloo_gobi);
inputs[1] = new CookingInput(Recipe.Ratatouille);
...
int count  = inputs.Count(s => s != null);
...
Task[] cookingTasks = new Task[count];
try
{
    for (int i=0; i< count; i++)
    {
        int index = i;
        //Start cooking for each request in a thread parallely
        cookingTasks[i] = Task.Run(() => CookingProcess.start(inputs[index]));                   
    }
    Task.WaitAll(cookingTasks);                
}
catch (AggregateException ae)
{
    Console.WriteLine();
    Console.WriteLine("Base exception: " + ae.GetBaseException());                                
}  ...

GetbaseException() method of AggregateException provides the actual exception that caused the AggregateExceptions. So we get TaskException from GetBaseException() method.

Please note that there are both synchronously and asynchronously executed tasks are defined. Though CookingInput is thread safe inside the task method but outside of a task we need to take care of the state as many threads may operates on this input.

Sample Output

Image 1

Async and await

async and await is a cool feature that saves lot of code, threads and time. Below snippet shows the rewriting of CookingProcess start method. Please check KitchenAsync.zip for the same implementation using async and await.

C#
//start the tasks
Task<string[]> buyVegTask = buyVegiesAsync(input.recipe);
Task<string[]> cleanVesselTask = cleanVesselsAsync(input.recipe);
Task<string[]> prepareIngredientsTask = prepareIngredientsAsync(input.recipe);

//Passing bought vegetables to cut task
string[] vegetables = await buyVegTask;
//Make a copy for cut task, so input is not affected
input.Vegetables = new string[vegetables.Length];
vegetables.CopyTo(input.Vegetables, 0);
Task<string> cutVegeTask = RetryAsync(()=> cutVegiesAsync(vegetables, input.recipe),3);

//Wait for all the tasks to finish
await Task.WhenAll(buyVegTask, cleanVesselTask, prepareIngredientsTask, cutVegeTask);
//collect task's results
input.ingrdients = prepareIngredientsTask.Result;
input.Vessels = prepareIngredientsTask.Result;

//Give message and dont await for any response... as cooking has to progress
Task msg1 = Task.Run(() => giveMessageToHungryFolks(cutVegeTask.Result));

//cook and await for food to further proceed- decorate and serve
string result = await cookAsync(input.recipe);
Task msg2 = Task.Run(() => giveMessageToHungryFolks(result));

//decorate and await for decorates
input.decorates = await decorateAsync(input.recipe);

//prepare serve description
string description = String.Format("The plate of cooked [{0}] in a mix with good flavor of [{1}], decorated with [{2}] ",
    string.Join(",", input.Vegetables), string.Join(",", input.ingrdients), string.Join(",", input.decorates));

//serve
input.dish = await serveAsync(description, input.recipe);

Note that Task.Run is used for message task (giveMessageToHungryFolks). This is because Message task do not have to wait for any response or results.

Thank you George for your comments which made me to work on this topic.

Task Vs async/await

Stopwatch has been used to compare the execution time of both Task and Async implementation. Executing both for 10 times and taking average on execution time, I could see 2.5 seconds saved by Async way.

References

https://www.codeproject.com/Articles/152765/Task-Parallel-Library-of-n by Sacha Barber

http://stackoverflow.com/questions/10490307/retry-a-task-multiple-times-based-on-user-input-in-case-of-an-exception-in-task/10494424#10494424

License

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


Written By
Software Developer (Senior)
India India
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
QuestionMy vote 5 Pin
Member 1052659924-May-17 2:09
professionalMember 1052659924-May-17 2:09 
QuestionSome Suggestions For Dealing With Exceptions Pin
George Swan30-Apr-17 5:25
mveGeorge Swan30-Apr-17 5:25 
GeneralMy vote of 5 Pin
Robert_Dyball27-Apr-17 20:12
professionalRobert_Dyball27-Apr-17 20:12 
PraiseMy vote of 5 Pin
Marcel Kalinowski25-Apr-17 0:39
Marcel Kalinowski25-Apr-17 0:39 
QuestionWhy not use async await? Pin
George Swan22-Apr-17 20:27
mveGeorge Swan22-Apr-17 20:27 
AnswerRe: Why not use async await? Pin
Ganesh Prabu27-Apr-17 19:49
professionalGanesh Prabu27-Apr-17 19:49 
GeneralMy vote of 5 Pin
DanielDuval20-Apr-17 22:42
DanielDuval20-Apr-17 22:42 
Awesome, this is very interesting !
QuestionPictures Pin
NormDroid20-Apr-17 20:49
professionalNormDroid20-Apr-17 20:49 
GeneralUnable to download zip Pin
Gary Noble20-Apr-17 8:51
Gary Noble20-Apr-17 8:51 
GeneralRe: Unable to download zip Pin
Ganesh Prabu20-Apr-17 16:33
professionalGanesh Prabu20-Apr-17 16:33 

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.