私はAggregateException
の例をウェブで見ましたが、どのように機能するかを理解しようとしています。簡単な例を作成しましたが、何らかの理由でコードが機能しません。
誰かが私に問題が何であるか説明してもらえますか?
public static void Main()
{
try
{
Parallel.For(0, 500000, i =>
{
if (i == 10523)
throw new TimeoutException("i = 10523");
Console.WriteLine(i + "\n");
});
}
catch (AggregateException exception)
{
foreach (Exception ex in exception.InnerExceptions)
{
Console.WriteLine(ex.ToString());
}
}
}
内部例外でHandle
を呼び出す必要があります。 MSDNのドキュメント on Handle
から:
述語の各呼び出しはtrueまたはfalseを返し、例外が処理されたかどうかを示します。すべての呼び出しの後、例外が処理されなかった場合、未処理の例外はすべてスローされる新しいAggregateExceptionに入れられます。それ以外の場合、Handleメソッドは単に戻ります。述語の呼び出しが例外をスローすると、それ以上の例外の処理を停止し、スローされた例外をそのまま伝播します。
MSDNのサンプルコード:
public static void Main()
{
var task1 = Task.Run(() => { throw new CustomException("This exception is expected!"); });
try
{
task1.Wait();
}
catch (AggregateException ae)
{
// Call the Handle method to handle the custom exception,
// otherwise rethrow the exception.
ae.Handle(ex =>
{
if (ex is CustomException)
Console.WriteLine(ex.Message);
return ex is CustomException;
});
}
}
Parallelを使用する場合、「ジョブ」(ここでは0から500000までカウント)は複数のワーカースレッドに分割されます。これらはそれぞれ例外をスローする可能性があります。サンプルでは、例外は10523で動作するスレッドで発生するようにコーディングされています。実際のシナリオでは、複数の例外が(異なるスレッドで)発生する可能性があります。例外を失うことはありません...
AggregateException
は、Task
の完了を待つときに発生する可能性のある例外をキャッチするためによく使用されます。一般にTask
は複数の他の要素で構成されている可能性があるため、1つ以上の例外がスローされるかどうかはわかりません。
次の例を確認してください。
// set up your task
Action<int> job = (int i) =>
{
if (i % 100 == 0)
throw new TimeoutException("i = " + i);
};
// we want many tasks to run in paralell
var tasks = new Task[1000];
for (var i = 0; i < 1000; i++)
{
// assign to other variable,
// or it will use the same number for every task
var j = i;
// run your task
var task = Task.Run(() => job(j));
// save it
tasks[i] = task;
}
try
{
// wait for all the tasks to finish in a blocking manner
Task.WaitAll(tasks);
}
catch (AggregateException e)
{
// catch whatever was thrown
foreach (Exception ex in e.InnerExceptions)
Console.WriteLine(ex.Message);
}
AggregateExceptionを実際に使用して、例外オブジェクトから内部例外を取得します。
private static Exception GetFirstRealException(Exception exception)
{
Exception realException = exception;
var aggregateException = realException as AggregateException;
if (aggregateException != null)
{
realException = aggregateException.Flatten().InnerException; // take first real exception
while (realException != null && realException.InnerException != null)
{
realException = realException.InnerException;
}
}
return realException ?? exception;
}
それを解決する私の方法:
var tasks = new Task[] { DoSomethingAsync(), DoSomethingElseAsync() };
try
{
await Task.WhenAll(tasks).ConfigureAwait(false);
}
catch (AggregateException ex)
{
var flatAgrExs = ex.Flatten().InnerExceptions;
foreach(var agrEx in flatAgrExs)
{
//handle out errors
logger.LogError(agrEx, "Critical Error occurred");
}
}