我对TPL任务有疑问。 我有一些任务是“显示停止者”,一旦其中一个出现故障,我不希望该方法继续运行但是提供异常并退出。 我尝试使用TaskContinuationOptions,如下所示:
var res = Task.Factory.ContinueWhenAny(
new[] { task1, task2, task3},
task =>
{
throw task.Exception.Flatten();
},
CancellationToken.None,
TaskContinuationOptions.OnlyOnFaulted,
this.taskScheduler);
var res1 = Task.Factory.ContinueWhenAll(
new[] { task1, task2, task3},
tasks =>
{
// DO SOME CODE
},
CancellationToken.None,
TaskContinuationOptions.NotOnFaulted,
this.taskScheduler);
return Task.WhenAny(res, res1).Unwrap();
但遗憾的是,当继续执行一项任务时,TaskContinuationOptions上存在限制过滤。 解决方案是什么?
答案 0 :(得分:1)
您可以实现一个循环,检查任务是否在完成时出现故障。如果其中一个出现故障,您可以抛出并退出该方法:
List<Task> tasks = new List<Task> {task1, task2, task3}; // Show stopping tasks.
while (tasks.Count > 0)
{
var finishedTask = await Task.WhenAny(tasks);
tasks.Remove(finishedTask);
if (finishedTask.Status == TaskStatus.Faulted)
{
// Throw and exit the method.
}
}
// Continuation code goes here.
请注意,这不会取消其他正在进行的任务。如果需要,您可以使用CancellationToken
实现取消机制,并明确取消剩余的任务。您的任务需要通过查看CancellationToken.IsCancellationRequested
属性或使用CancellationToken.ThrowIfCancellationRequested
方法来监控取消令牌以查看是否有取消请求:
var cts = new CancellationTokenSource();
// Generate some tasks for this example.
var task1 = Task.Run(async () => await Task.Delay(1000, cts.Token), cts.Token);
var task2 = Task.Run(async () => await Task.Delay(2000, cts.Token), cts.Token);
var task3 = Task.Run(async () => await Task.Delay(3000, cts.Token), cts.Token);
List<Task> tasks = new List<Task> {task1, task2, task3};
while (tasks.Count > 0)
{
var finishedTask = await Task.WhenAny(tasks);
tasks.Remove(finishedTask);
if (finishedTask.Status == TaskStatus.Faulted)
{
cts.Cancel();
// Throw and exit the method.
}
}
答案 1 :(得分:0)
您可以使用CancellationTokenSource并使用此取消令牌运行所有任务,因此,如果该令牌被取消,其余的任务也将被取消
var cs = new CancellationTokenSource();
var options = new ParallelOptions { CancellationToken = cs.Token };
var array = new int[] { 1, 2, 3, 4, 5, 6, 7, 8, 9 };
try
{
Parallel.ForEach(array, options, (index) =>
{
CallCustomMethod(cs, index);
});
}
catch (OperationCanceledException ex)
{
}
void CallCustomMethod(CancellationTokenSource cs, int index)
{
try
{
if (cs.IsCancellationRequested)
{
return;
}
if (index == 4)
{
throw new Exception("Cancel");
}
Console.WriteLine(index);
}
catch
{
cs.Cancel();
}
}