다른 스레드에서 발생한 예외 잡기
멀티 스레드 프로그래밍에서는 스레드가 아닌 다른 스레드에서 발생하는 예외를 처리하는 것이 어려울 수 있습니다. 메인 스레드. 이 문제는 한 메서드(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 중국어 웹사이트의 기타 관련 기사를 참조하세요!