捕捉不同執行緒中拋出的例外狀況
在多執行緒程式設計中,處理除執行緒之外的執行緒中發生的例外狀況可能具有挑戰性主線程。當一個方法 (Method1) 產生一個新線程,並且該線程執行另一個引發例外狀況的方法 (Method2) 時,就會發生此問題。問題是如何在 Method1 中捕獲此異常。
.NET 4 及以上版本的解決方案
對於 .NET 4 及更高版本,Task
處理任務執行緒中的異常:
class Program { static void Main(string[] args) { Task<int> task = new Task<int>(Test); task.ContinueWith(ExceptionHandler, TaskContinuationOptions.OnlyOnFaulted); task.Start(); Console.ReadLine(); } static int Test() { throw new Exception(); } static void ExceptionHandler(Task<int> task) { var exception = task.Exception; Console.WriteLine(exception); } }
處理任務執行緒中的例外呼叫者主題:
class Program { static void Main(string[] args) { Task<int> task = new Task<int>(Test); task.Start(); try { task.Wait(); } catch (AggregateException ex) { Console.WriteLine(ex); } Console.ReadLine(); } static int Test() { throw new Exception(); } }
在這兩種情況下,您都會得到AggregateException,並且實際的異常可以透過 ex.InnerExceptions 存取。
解決方案對於 .NET 3.5
對於 .NET 3.5之後,可以使用以下方法:
子執行緒中的異常處理:
class Program { static void Main(string[] args) { Exception exception = null; Thread thread = new Thread(() => SafeExecute(() => Test(0, 0), Handler)); thread.Start(); Console.ReadLine(); } private static void Handler(Exception exception) { Console.WriteLine(exception); } private static void SafeExecute(Action test, Action<Exception> handler) { try { test.Invoke(); } catch (Exception ex) { Handler(ex); } } static void Test(int a, int b) { throw new Exception(); } }
class Program { static void Main(string[] args) { Exception exception = null; Thread thread = new Thread(() => SafeExecute(() => Test(0, 0), out exception)); thread.Start(); thread.Join(); Console.WriteLine(exception); Console.ReadLine(); } private static void SafeExecute(Action test, out Exception exception) { exception = null; try { test.Invoke(); } catch (Exception ex) { exception = ex; } } static void Test(int a, int b) { throw new Exception(); } }
以上是C#中如何捕捉不同執行緒中拋出的例外狀況?的詳細內容。更多資訊請關注PHP中文網其他相關文章!