Get in touch
Thank you
We will get back to you as soon as possible
.pdf, .docx, .odt, .rtf, .txt, .pptx (max size 5 MB)

23.10.2015

5 min read

Task cancellation in C# and things you should know about it

The task mechanism in C# is a powerful beast in the area of parallel and concurrent programming. Controlling this beast may take lots of effort and pain. In this article we will discover why task cancellation can be so important and how it can be used in .NET 6.

How do we control

Why should we control the execution flow of the tasks? One reason is business logic or algorithm requirements, such as user request cancellation. Another reason comes from the idea that there should be no unobserved tasks. Such tasks may hold thread pool and CPU resources and therefore be dangerous. Last but not least is the ability to differentiate being cancelled by manually thrown exception or failing by any other exception. Just for this .NET provides us with two classes:

  • CancellationTokenSource – an object responsible for creating a cancellation token and sending a cancellation request to all copies of that token.
  • CancellationToken – a structure used by listeners to monitor token current state.

How do we pass token

First of all, we should somehow make a task to use created token. One way is to pass it as an argument to the method responsible for creating the task.

public void CreateCancelledTask()
{
  var tokenSource = new CancellationTokenSource();
  var token = tokenSource.Token;
  tokenSource.Cancel();
  Task.Run(() => Console.WriteLine("Hello from Task"), token);
}

Another way is to pass it as parameter to TaskFactory constructor, or add id later to CancellationToken property.

public void CreateCancelledTaskUsingTaskFactory()
{
  var tokenSource = new CancellationTokenSource();
  var token = tokenSource.Token;

  var taskFactory = new TaskFactory(token);
  tokenSource.Cancel();
  taskFactory.StartNew(() => Console.WriteLine("Hello from Task"));
}

With such an approach, the token is only checked at the very beginning, before starting the execution of the lambda expression. If a token is cancelled then the task is also put in cancelled mode. In examples above the message won’t be printed because the token had been cancelled before the task was created. But what if we need to stop task execution at a particular moment? Then you should observe the cancellation token state manually inside the task delegate. There are generally two ways for passing token inside task delegate. The first way is to make the token variable visible by task delegate. It can be accomplished by using a class field, property or even capturing variable within a method.

public void CreateCancellableTask()
 {
  var tokenSource = new CancellationTokenSource();
  var token = tokenSource.Token;
 
  Task.Run(() =>
  {
    var capturedToken = token;
                
    Calculate(); // long running operation
  }, token);
}

The second way is to pass the token as state object and downcast it inside task delegate.

public void CreateCancellableTaskWithState()
{
  var tokenSource = new CancellationTokenSource();
  var token = tokenSource.Token;

  Task.Factory.StartNew(stateObject =>
  {
   var castedToken = (CancellationToken)stateObject;

   Calculate(); // long running operation
  }, token, token);
}

How do we observe token

Now when we know how to access token inside a task, it is time to become acquainted with how we can observe token state. You can observe it in three ways: by polling, using callback registration and via wait handle. 1. By polling – periodically check IsCancellationRequested property

Task.Run(() =>
{
 // polling boolean property
 while (true)
 {
 token.ThrowIfCancellationRequested(); // throw OperationCancelledException if requested
 // do some work
 }
 // release resources and exit
}, token);

2. By periodically checking if token.IsCancellationRequested.

Task.Run(() =>
{
  // Some unsplitted part of the logic 
  if (token.IsCancellationRequested)
  {
    // Do some job, such as logging results
    return;
  }
  // Continue work if no cancellation requested
}, token);

3. Callback registration – provide a callback that would be executed right after cancellation is requested

Task.Run(async () =>
{
 var webClient = newWebClient();
 // registering callback that would cancel downloading
 token.Register(() => webClient.CancelAsync());
 var data = await webClient.DownloadDataTaskAsync("http://www.google.com/");
}, token);

4. Waiting for the wait handle provided by CancellationToken

var autoResetEvent = newAutoResetEvent(false);
// some code...
Task.Run(() =>
{
 var handleArray = new[] { autoResetEvent, token.WaitHandle };
 // waiting on wait handle to signal first
 var finishedId = WaitHandle.WaitAny(handleArray);
 if (finishedId == Array.IndexOf(handleArray, token.WaitHandle))
 {
 // if token wait handle was first to signal then exit
 return;
 }
 // continue working...
}, token);

You can also observe multiple tokens simultaneously, by creating a linked token source that can join multiple tokens into one.

public CancellationToken LinkTokens(CancellationToken firstToken, CancellationToken secondToken)
{
  var linkedToukenSource = CancellationTokenSource.CreateLinkedTokenSource(firstToken, secondToken);

  var linkedToken = linkedToukenSource.Token;
  return linkedToken;
}

How do we cancel

We already know how to pass and observe tokens. What is left is how we send the cancellation request. For canceling, we use CancellationTokenSource object. Cancellation request may be direct or deferred.

CancellationTokenSource tokenSource; 

// #1 create a token source with timeout
tokenSource = newCancellationTokenSource(TimeSpan.FromSeconds(2));
 
// #2 request cancellation after timeout
tokenSource.CancelAfter(TimeSpan.FromSeconds(2));
 
// #3 directly request cancellation
tokenSource.Cancel();
 
// or
tokenSource.Cancel(true);

When we use the Cancel method directly, it implicitly calls all registered callbacks on the current thread. If callbacks throw exceptions, they are wrapped in AggregateException object that will be propagated then to the caller. Since callbacks are called one by one, optional boolean argument for Cancel method lets you specify behavior upon encountering an exception in any of the registered callbacks. If the argument is true then the exception will immediately propagate out of the call to Cancel, preventing the remaining callbacks from executing. If the argument is false, all registered callbacks will be executed with all thrown exceptions wrapped into the AggregateException. After detecting cancellation request inside a task, common approach is to do some cleanup and throw OperationCanceledException object, to put the task in a cancelled state.

public void CancelAndLogMessage(CancellationToken token)
{
  Task.Run(() =>
  {
   while (true)
   {
    // do some work
    if (token.IsCancellationRequested)
    {
     Console.WriteLine("Operation is going to be cancelled");
     // do some clean up
     throw new OperationCanceledException();
   }
  }
 }, token);
}

Conclusion

The task cancellation mechanism is an easy and useful tool for controlling task execution flow. It is a part of big .NET ecosystem, therefore its usage in most cases is more preferable than some custom solutions. Even if you don’t want to implement your own cancellation logic it’s a good approach to pass CancellationToken to all async methods that support cancellation (i.e HttpClient.GetAsync() or DbSet.FindAsync()).

0 Comments
name *
email *