在Task中捕获异常的最佳方法是什么?


82

使用System.Threading.Tasks.Task<TResult>,我必须管理可能引发的异常。我正在寻找做到这一点的最佳方法。到目前为止,我已经创建了一个基类,该基类在调用时管理所有未捕获的异常。.ContinueWith(...)

我想知道是否有更好的方法可以做到这一点。甚至是这样做的好方法。

public class BaseClass
{
    protected void ExecuteIfTaskIsNotFaulted<T>(Task<T> e, Action action)
    {
        if (!e.IsFaulted) { action(); }
        else
        {
            Dispatcher.CurrentDispatcher.BeginInvoke(new Action(() =>
            {
                /* I display a window explaining the error in the GUI 
                 * and I log the error.
                 */
                this.Handle.Error(e.Exception);
            }));            
        }
    }
}   

public class ChildClass : BaseClass
{
    public void DoItInAThread()
    {
        var context = TaskScheduler.FromCurrentSynchronizationContext();
        Task.Factory.StartNew<StateObject>(() => this.Action())
                    .ContinueWith(e => this.ContinuedAction(e), context);
    }

    private void ContinuedAction(Task<StateObject> e)
    {
        this.ExecuteIfTaskIsNotFaulted(e, () =>
        {
            /* The action to execute 
             * I do stuff with e.Result
             */

        });        
    }
}

Answers:


107

有两种方法可以执行此操作,具体取决于您所使用的语言版本。

C#5.0以上

您可以使用asyncawait关键字为您简化很多操作。

asyncawait引入了语言使用简化任务并行库,阻止您不必使用ContinueWith,并允许你继续计划在自上而下的方式。

因此,您可以简单地使用try/catch块捕获异常,如下所示:

try
{
    // Start the task.
    var task = Task.Factory.StartNew<StateObject>(() => { /* action */ });

    // Await the task.
    await task;
}
catch (Exception e)
{
    // Perform cleanup here.
}

请注意,封装上述内容的方法必须使用已async应用关键字,这样您才能使用await

C#4.0及以下

您可以使用从枚举中获取值的ContinueWith重载来处理异常,如下所示:TaskContinuationOptions

// Get the task.
var task = Task.Factory.StartNew<StateObject>(() => { /* action */ });

// For error handling.
task.ContinueWith(t => { /* error handling */ }, context,
    TaskContinuationOptions.OnlyOnFaulted);

OnlyOnFaulted该成员TaskContinuationOptions枚举指示应继续当先行任务抛出异常执行。

当然,您可以有多个调用来ContinueWith取消同一先决条件,从而处理非例外情况:

// Get the task.
var task = new Task<StateObject>(() => { /* action */ });

// For error handling.
task.ContinueWith(t => { /* error handling */ }, context, 
    TaskContinuationOptions.OnlyOnFaulted);

// If it succeeded.
task.ContinueWith(t => { /* on success */ }, context,
    TaskContinuationOptions.OnlyOnRanToCompletion);

// Run task.
task.Start();

1
您如何知道匿名方法中的异常类型?如果我执行t.Exception,则intellisense不会公开内部异常,消息...等属性...
guiomie 2013年

4
@guiomiet 是个例外。
casperOne 2013年

2
上下文未定义是什么?
MonsterMMORPG,2014年

@MonsterMMORPG SynchronizationContext,如果需要的话。
casperOne 2014年

请回答为什么我们需要它?我是说在那种情况下?这够了吗 ?myTask.ContinueWith(t => ErrorLogger.LogError(“在func_CheckWaitingToProcessPages启动的任务发生错误,错误:” + t),TaskContinuationOptions.OnlyOnFaulted);
MonsterMMORPG 2014年

5

您可以创建一些自定义的Task工厂,该工厂将生成嵌入了异常处理过程的Task。像这样:

using System;
using System.Threading.Tasks;

class FaFTaskFactory
{
    public static Task StartNew(Action action)
    {
        return Task.Factory.StartNew(action).ContinueWith(
            c =>
            {
                AggregateException exception = c.Exception;

                // Your Exception Handling Code
            },
            TaskContinuationOptions.OnlyOnFaulted | TaskContinuationOptions.ExecuteSynchronously
        ).ContinueWith(
            c =>
            {
                // Your task accomplishing Code
            },
            TaskContinuationOptions.OnlyOnRanToCompletion | TaskContinuationOptions.ExecuteSynchronously
        );
    }

    public static Task StartNew(Action action, Action<Task> exception_handler, Action<Task> completion_handler)
    {
        return Task.Factory.StartNew(action).ContinueWith(
            exception_handler,
            TaskContinuationOptions.OnlyOnFaulted | TaskContinuationOptions.ExecuteSynchronously
        ).ContinueWith(
            completion_handler,
            TaskContinuationOptions.OnlyOnRanToCompletion | TaskContinuationOptions.ExecuteSynchronously
        );
    }
};

您可以在客户端代码中忘记从该工厂生成的任务的异常处理。同时,您仍然可以等待此类任务的完成或以“一劳永逸”的方式使用它们:

var task1 = FaFTaskFactory.StartNew( () => { throw new NullReferenceException(); } );
var task2 = FaFTaskFactory.StartNew( () => { throw new NullReferenceException(); },
                                      c => {    Console.WriteLine("Exception!"); },
                                      c => {    Console.WriteLine("Success!"  ); } );

task1.Wait(); // You can omit this
task2.Wait(); // You can omit this

但是,老实说,我不太确定为什么要使用完成处理代码。无论如何,此决定取决于您的应用程序的逻辑。

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.