Task Cancellation: Parallel Programming
This is my third article on Parallel programming. Last two articles are on Data Parallelism and Task Parallelism.
You can read my previous article here:
Begin with Parallel programming in Dotnet 4.0
Task Parallelism: Parallel programming - II
Today I am writing about how to cancel parallel tasks in cooperative manner i.e. dotnet framework doesn’t force your tasks to finish the task.
Task execution can be cancelled through use of cancellation Token which is new in DotNet Framework4.0. Task class supports Cancellation with the integration with System.Threading.CancellationTokenSource class and the System.Threading.CancellationToken class. Many of the constructors in the System.Threading.Tasks.Task class take a CancellationToken as an input parameter. Many of the StartNew overloads also take a CancellationToken.
CancellationTokenSource contains CancellationToken and Cancel method through which cancellation request can be raised. I’ll cover following type of cancellation here:
- Cancelling a task.
- Cancelling Many Tasks
- Monitor tokens
Cancelling Task
Following steps will describe how to cancel a task:
- First create instance of CancellationTokenSource class
- Create instance of CancellationToken by setting Token property of CancellationTokenSource class.
- Start task by TaskFactory.StartNew method or Task.Start().
- Check for token.IsCancellationRequested property or token.ThrowIfCancellationRequested() for Cancellation Request.
- Execute Cancel method of CancellationTokenSource class to send cancellation request to Task.
SourceCode
01.CancellationTokenSource tokenSource = newCancellationTokenSource();02.CancellationToken token = tokenSource.Token;03. 04.int i = 0;05.Console.WriteLine("Calling from Main Thread {0}", System.Threading.Thread.CurrentThread.ManagedThreadId);06.var task = Task.Factory.StartNew(() =>07.{08.while (true)09.{10.if (token.IsCancellationRequested)11.{12.Console.WriteLine("Task cancel detected");13.throw new OperationCanceledException(token);14.}15.Console.WriteLine("Thread:{0} Printing: {1}", System.Threading.Thread.CurrentThread.ManagedThreadId, i++);16.}17.});18. 19.Console.WriteLine("Cancelling task");20. 21.tokenSource.Cancel();When tokenSource.Cancel method execute then token.IsCancellationRequested property will gets true then you need to cancel execution of task. In above example I am throwingOperationCanceledException which should have parameter as token, but you need to catch this exception otherwise it will give error “Unhandled Exception”. If you don’t want to throw exception explicitly then you can use ThrowIfCancellationRequested method which internally throwOperationCanceledException and no need to explicitly check for token.IsCancellationRequested property.
01.CancellationTokenSource tokenSource = newCancellationTokenSource();02.CancellationToken token = tokenSource.Token;03. 04.int i = 0;05.Console.WriteLine("Calling from Main Thread {0}", System.Threading.Thread.CurrentThread.ManagedThreadId);06.var task = Task.Factory.StartNew(() =>07.{08.while (true)09.{10.try11.{12.token.ThrowIfCancellationRequested();13.}14.catch (OperationCanceledException)15.{16.Console.WriteLine("Task cancel detected");17.break;18.}19.Console.WriteLine("Thread:{0} Printing: {1}", System.Threading.Thread.CurrentThread.ManagedThreadId, i++);20.}21. 22. 23.});24. 25.Console.WriteLine("Cancelling task");26.Thread.Sleep(10);27.tokenSource.Cancel();//Cancelling task28.Console.WriteLine("Task Status:{0}", task.Status);Output
Calling from Main Thread 10
Cancelling task
Thread:6 Printing: 0
Thread:6 Printing: 1
Thread:6 Printing: 2
Thread:6 Printing: 3
Thread:6 Printing: 4
Thread:6 Printing: 5
Thread:6 Printing: 6
Thread:6 Printing: 7
Thread:6 Printing: 8
Thread:6 Printing: 9
Task Status:Running
Task cancel detected
Wait until Task Execution Completed
You can see TaskStatus is showing status as “Running'” in above output besides Cancel method fired before than task status. So to avoid execution next statement after cancel method we should wait for task to be in complete phase for this we can use Wait method of task class.
1.Console.WriteLine("Cancelling task");2.Thread.Sleep(10);3.tokenSource.Cancel();4.task.Wait();//wait for thread to completes its execution5.Console.WriteLine("Task Status:{0}", task.Status);Output
Calling from Main Thread 9
Cancelling task
Thread:6 Printing: 0
Thread:6 Printing: 1
Thread:6 Printing: 2
Thread:6 Printing: 3
Thread:6 Printing: 4
Thread:6 Printing: 5
Task cancel detected
Task Status:RanToCompletion
Cancelling Several Tasks
You can use one instance of token to cancel several tasks like in below example:
01.public void CancelSeveralTasks()02.{03.CancellationTokenSource tokenSource = newCancellationTokenSource();04.CancellationToken token = tokenSource.Token;05. 06.int i = 0;07.Console.WriteLine("Calling from Main Thread {0}", System.Threading.Thread.CurrentThread.ManagedThreadId);08. 09.Task t1 = new Task(() =>10.{11.while (true)12.{13.try14.{15.token.ThrowIfCancellationRequested();16.}17. 18.catch (OperationCanceledException)19.{20.Console.WriteLine("Task1 cancel detected");21.break;22.}23. 24.Console.WriteLine("Task1: Printing: {1}", System.Threading.Thread.CurrentThread.ManagedThreadId, i++);25.}26.}, token);27. 28.Task t2 = new Task(() =>29.{30.while (true)31.{32.try33.{34.token.ThrowIfCancellationRequested();35.}36. 37.catch (OperationCanceledException)38.{39.Console.WriteLine("Task2 cancel detected");40.break;41.}42. 43.Console.WriteLine("Task2: Printing: {1}", System.Threading.Thread.CurrentThread.ManagedThreadId, i++);44.}45.});46. 47.t1.Start();48.t2.Start();49.Thread.Sleep(100);50.tokenSource.Cancel();51. 52.t1.Wait();//wait for thread to completes its execution53.t2.Wait();//wait for thread to completes its execution54.Console.WriteLine("Task1 Status:{0}", t1.Status);55.Console.WriteLine("Task2 Status:{0}", t1.Status);56.}Output
Calling from Main Thread 9
Task1: Printing: 0
Task1: Printing: 1
Task1: Printing: 2
Task1: Printing: 3
Task1: Printing: 4
Task1: Printing: 5
Task1: Printing: 6
Task1: Printing: 7
Task1: Printing: 8
Task1: Printing: 9
Task1: Printing: 10
Task1: Printing: 11
Task1: Printing: 12
Task1: Printing: 14
Task1: Printing: 15
Task1: Printing: 16
Task1: Printing: 17
Task1: Printing: 18
Task1: Printing: 19
Task2: Printing: 13
Task2: Printing: 21
Task2: Printing: 22
Task2: Printing: 23
Task2: Printing: 24
Task2: Printing: 25
Task2: Printing: 26
Task2: Printing: 27
Task2: Printing: 28
Task2: Printing: 29
Task1: Printing: 20
Task1: Printing: 31
Task1: Printing: 32
Task1: Printing: 33
Task1: Printing: 34
Task2: Printing: 30
Task1: Printing: 35
Task1: Printing: 37
Task1: Printing: 38
Task2: Printing: 36
Task2: Printing: 40
Task2: Printing: 41
Task1: Printing: 39
Task1 cancel detected
Task2 cancel detected
Task1 Status:RanToCompletion
Task2 Status:RanToCompletion
Monitoring Cancellation with a Delegate
You can register delegate to get status of cancellation as callback. This is useful if your task is doing some other asynchronous operations. It can be useful in showing cancellation status on UI.
01.public void MonitorTaskwithDelegates()02.{03.CancellationTokenSource tokenSource = newCancellationTokenSource();04.CancellationToken token = tokenSource.Token;05. 06.int i = 0;07.Console.WriteLine("Calling from Main Thread {0}", System.Threading.Thread.CurrentThread.ManagedThreadId);08. 09.Task t1 = new Task(() =>10.{11.while (true)12.{13.try14.{15.token.ThrowIfCancellationRequested();16.}17. 18.catch (OperationCanceledException)19.{20.Console.WriteLine("Task1 cancel detected");21.break;22.}23. 24.Console.WriteLine("Task1: Printing: {1}", System.Threading.Thread.CurrentThread.ManagedThreadId, i++);25.}26.}, token);27. 28.//Register Cancellation Delegate29.token.Register(new Action(GetStatus));30.t1.Start();31.Thread.Sleep(10);32.//cancelling task33.tokenSource.Cancel();34.}35.public void GetStatus()36.{37.Console.WriteLine("Cancelled called");38.}Output
Calling from Main Thread 10
Task1: Printing: 0
Task1: Printing: 1
Task1: Printing: 2
Task1: Printing: 3
Task1: Printing: 4
Task1: Printing: 5
Task1: Printing: 6
Task1: Printing: 7
Task1: Printing: 8
Task1: Printing: 9
Task1: Printing: 10
Task1: Printing: 11
Task1: Printing: 12
Cancelled called
Task1 cancel detected
I hope this article will help to you to understand Cooperative Cancellation in Parallel tasks.
You can also get source code above examples here:
Task Cancellation: Parallel Programming的更多相关文章
- Fork and Join: Java Can Excel at Painless Parallel Programming Too!---转
原文地址:http://www.oracle.com/technetwork/articles/java/fork-join-422606.html Multicore processors are ...
- Notes of Principles of Parallel Programming - TODO
0.1 TopicNotes of Lin C., Snyder L.. Principles of Parallel Programming. Beijing: China Machine Pres ...
- Samples for Parallel Programming with the .NET Framework
The .NET Framework 4 includes significant advancements for developers writing parallel and concurren ...
- C#并行开发_Thread/ThreadPool, Task/TaskFactory, Parallel
大家好,本次讨论的是C#中的并行开发,给力吧,随着并行的概念深入,哥也赶上这个潮流了,其实之前讨论C#的异步调用或者C#中BeginInvoke或者Invoke都已经涉及了部分本篇的内容. 参考书目: ...
- Introduction to Multi-Threaded, Multi-Core and Parallel Programming concepts
https://katyscode.wordpress.com/2013/05/17/introduction-to-multi-threaded-multi-core-and-parallel-pr ...
- A Pattern Language for Parallel Programming
The pattern language is organized into four design spaces. Generally one starts at the top in the F ...
- 4.3 Reduction代码(Heterogeneous Parallel Programming class lab)
首先添加上Heterogeneous Parallel Programming class 中 lab: Reduction的代码: myReduction.c // MP Reduction // ...
- .NET 异步多线程,Thread,ThreadPool,Task,Parallel,异常处理,线程取消
今天记录一下异步多线程的进阶历史,以及简单的使用方法 主要还是以Task,Parallel为主,毕竟用的比较多的现在就是这些了,再往前去的,除非是老项目,不然真的应该是挺少了,大概有个概念,就当了解一 ...
- Parallel Programming for FPGAs 学习笔记(1)
Parallel Programming for FPGAs 学习笔记(1)
随机推荐
- 构造DataTable
手动构造一个DataTable: DataTable dt = new DataTable(); dt.Columns.Add("ID", typeof(string)); dt. ...
- 轻松创建nodejs服务器(1):一个简单nodejs服务器例子
这篇文章主要介绍了一个简单nodejs服务器例子,本文实现了一个简单的hello world例子,并展示如何运行这个服务器,需要的朋友可以参考下 我们先来实现一个简单的例子,hello world ...
- 萝卜德森的sublime笔记中文翻译版
我已经使用subliem编辑器版本2接近2个月了,并且我在其中找到了一堆有用的技巧.我发觉应该写下这些技巧,为那些对此感兴趣的人们.我会尽力的详细描述,那些看起来像魔法一样的东西,因为很多非常“酷”的 ...
- windows下使用git管理github项目
1. 下载安装msysgithttp://code.google.com/p/msysgit/downloads/list2. 注册github账号3. 生成ssh公钥和私钥ssh-keygen -C ...
- openCV(二)---iOS中使用openCV的图片格式转换
可以实现将UIImage和IplImage类型实现相互转换 //由于OpenCV主要针对的是计算机视觉方面的处理,因此在函数库中,最重要的结构体是IplImage结构. - (IplImage *)C ...
- 建立TCP连接的三次握手
请求端(通常称为客户)发送一个 SYN 报文段( SYN 为 1 )指明客户打算连接的服务器的端口,以及初始顺序号( ISN ).服务器发回包含服务器的初始顺序号( ISN )的 SYN 报文段( S ...
- POJ1556 The Doors 叉积+最短路
题目大意:求从(0,5)到(10,5)的最短距离,起点与终点之间有n堵墙,每个墙有2个门. 题目思路:判断两点间是否有墙(判断两点的连线是否与某一堵墙的线段相交),建立一个图,然后最短路求出就可以了. ...
- POJ3321/Apple tree/(DFS序+线段树)
题目链接 Apple Tree Time Limit: 1000MS Memory Limit: 65536K Total Submissions: 9692 Accepted: 3217 Descr ...
- NSAttributedString 的21种属性 详解
原文链接:http://www.jianshu.com/p/09f54730feaa 先看看所有的Key NSFontAttributeName; //字体,value是UIFont对象 NSPara ...
- 8633 回文划分(dp)
8633 回文划分 该题有题解 时间限制:1000MS 内存限制:1000K提交次数:169 通过次数:63 题型: 编程题 语言: G++;GCC Description 我们说一个字符串是回 ...