我有两个while循环,我将与TPL并行运行。
我的代码:
public void Initialize()
{
cts = new CancellationTokenSource();
ParallelOptions options = new ParallelOptions();
options.CancellationToken = cts.Token;
options.MaxDegreeOfParallelism = Environment.ProcessorCount;
task = Task.Factory.StartNew(() => Parallel.Invoke(options, Watcher1, Watcher2), cts.Token);
}
public void Watcher1()
{
//Can I replace this (with a TPL construct in the initialize method)?
while(true)
{
//Do sth.
}
}
public void Watcher2()
{
//Can I replace this (with a TPL construct in the initialize method)?
while(true)
{
//do sth
}
}
如果我能安全地取消这两项行动,那就太好了。你能给我一些建议吗?
提前致谢。
亲切的问候,亲
答案 0 :(得分:2)
您可以使用CancellationTokenSource
执行此操作,有关详细信息,请参阅this article
答案 1 :(得分:2)
public void Initialize()
{
var cancellationSource = new CancellationTokenSource();
var cancellationToken = cancellationSource.Token;
//Start both watchers
var task1 = Task.Factory.StartNew(() => Watcher1(cancellationToken));
var task2 = Task.Factory.StartNew(() => Watcher2(cancellationToken));
//As an example, keep running the watchers until "stop" is entered in the console window
while (Console.Readline() != "stop")
{
}
//Trigger the cancellation...
cancellationSource.Cancel();
//...then wait for the tasks to finish.
Task.WaitAll(new [] { task1, task2 });
}
public void Watcher1(CancellationToken cancellationToken)
{
while (!cancellationToken.IsCancellationRequested)
{
//Do stuff
}
}
public void Watcher2(CancellationToken cancellationToken)
{
while (!cancellationToken.IsCancellationRequested)
{
//Do stuff
}
}