タスクで例外をキャッチするための最良の方法は何ですか?


83

を使用すると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
             */

        });        
    }
}

回答:


109

使用している言語のバージョンに応じて、これを行うには2つの方法があります。

C#5.0以降

asyncandawaitキーワードを使用して、これを大幅に簡素化できます。

asyncまたawaitタスク並列ライブラリの使用を簡素化するために言語に導入されたため、使用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を行う場合は、インテリセンスはのInnerException、メッセージ...等の特性...公開文句を言わない
guiomie

4
@guiomiet 例外です。
casperOne 2013

2
コンテキストが定義されていませんそれは何ですか?
MonsterMMORPG 2014

@MonsterMMORPG SynchronizationContext、必要に応じて。
casperOne 2014

なぜそれが必要なのか?どちらの場合ですか?これで十分ですか?myTask.ContinueWith(t => ErrorLogger.LogError( "func_CheckWaitingToProcessPages開始タスクでエラーが発生しました。エラー:" + t)、TaskContinuationOptions.OnlyOnFaulted);
MonsterMMORPG 2014

5

例外処理処理が組み込まれたタスクを生成するカスタムタスクファクトリを作成できます。このようなもの:

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

しかし、正直なところ、完了処理コードが必要な理由はよくわかりません。いずれの場合も、この決定はアプリケーションのロジックによって異なります。

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.