如果我的 WinForms 应用程序启动任务以在任务执行时保持响应,我在处理 AggregateException 时会遇到问题。
简化的情况如下。假设我的 Form 有一个相当慢的方法,例如:
private double SlowDivision(double a, double b)
{
System.Threading.Thread.Sleep(TimeSpan.FromSeconds(5));
if (b==0) throw new ArgumentException("b");
return a / b;
}
按下按钮后,我希望我的表单显示 SlowDivision(3,4) 的结果。以下代码会使用户界面挂起一段时间:
private void button1_Click(object sender, EventArgs e)
{
this.label1.Text = this.SlowDivision(3, 4).ToString();
}
因此,我想启动一个将进行处理的任务。此任务完成后,它应该继续执行将显示结果的操作。为了防止 InvalidOperationException 我需要确保 label1 是从创建它的线程访问的,因此是 Control.Invoke:
private void button1_Click(object sender, EventArgs e)
{
Task.Factory.StartNew ( () =>
{
return this.SlowDivision(3, 4);
})
.ContinueWith( (t) =>
{
this.Invoke( new MethodInvoker(() =>
{
this.label1.Text = t.Result.ToString();
}));
});
}
到目前为止,一切都很好,但是如何处理异常,例如如果我想计算 SlowDivision(3, 0)?
通常,如果任务抛出未处理的异常,它会通过 AggregateException 转发到等待线程。许多示例显示以下代码:
var myTask = Task.Factory.StartNew ( () => ...);
try
{
myTask.Wait();
}
catch (AggregateException exc)
{
// handle exception
}
问题是:我不能等待我的任务执行,因为我希望我的 UI 保持响应。
创建一个错误的任务延续,它将读取 Task.Exception 并相应地处理不起作用:
private void button1_Click(object sender, EventArgs e)
{
var slowDivTask = Task.Factory.StartNew(() =>
{
return this.SlowDivision(3, 0);
});
slowDivTask.ContinueWith((t) =>
{
this.Invoke(new MethodInvoker(() =>
{
this.label1.Text = t.Result.ToString();
}));
}, TaskContinuationOptions.NotOnFaulted);
slowDivTask.ContinueWith((t) =>
{
AggregateException ae = t.Exception;
ae.Handle(exc =>
{
// handle the exception
return true;
});
}, TaskContinuationOptions.OnlyOnFaulted);
}
函数中的 try / catch 也无济于事(正如所料)。
那么我如何在不等待的情况下对任务抛出的 AggregateExceptions 做出正确的反应。