我有以下代码,它不会触发AggregateException 聚合异常没有被解雇,我不明白为什么?通常它应该使用Aggregate异常来在使用任务运行代码时捕获异常
class Program
{
static void Main(string[] args)
{
var task1 = Task.Factory.StartNew(() =>
{
Test();
}).ContinueWith((previousTask) =>
{
Test2();
});
try
{
task1.Wait();
}
catch (AggregateException ae)
{
foreach (var e in ae.InnerExceptions)
{
// Handle the custom exception.
if (e is CustomException)
{
Console.WriteLine(e.Message);
}
// Rethrow any other exception.
else
{
throw;
}
}
}
}
static void Test()
{
throw new CustomException("This exception is expected!");
}
static void Test2()
{
Console.WriteLine("Test2");
}
}
public class CustomException : Exception
{
public CustomException(String message) : base(message)
{ }
}
}
答案 0 :(得分:3)
那是因为您正在等待继续任务(运行Test2()
)的完成,而不是完成运行Test()
的任务。第一个任务因异常而失败,然后继续任务不会对此异常执行任何操作(您不检查previousTask
是否已失败)并成功完成。要捕获该异常,您需要等待第一个任务或继续检查结果:
var task1 = Task.Factory.StartNew(() =>
{
Test();
});
var task2 = task1.ContinueWith((previousTask) =>
{
Test2();
});
或
var task1 = Task.Factory.StartNew(() =>
{
Test();
}).ContinueWith((previousTask) =>
{
if (previousTask.Exception != null) {
// do something with it
throw previousTask.Exception.GetBaseException();
}
Test2();
}); // note that task1 here is `ContinueWith` task, not first task
这当然与你是否真的应该这样做有关,只是为了回答这个问题。