2

我有一个 ErrorRecorder 应用程序,它打印错误报告并询问用户是否想将该报告发送给我。

然后,我有主应用程序。如果发生错误,它将错误报告写入文件并要求 ErrorRecorder 打开该文件以向用户显示错误报告。

所以我使用 Try/Catch 来捕捉我的大部分错误。

但是,如果发生完全出乎意料的错误并关闭我的程序怎么办。

是否有像 Global/Override 方法或类似的东西,它告诉程序“如果发生意外错误,在关闭之前,调用“ErrorRecorderView()”方法”

4

1 回答 1

5

我认为这就是你所追求的——你可以在 appdomain 级别处理异常——即在整个程序中。
http://msdn.microsoft.com/en-GB/library/system.appdomain.unhandledexception.aspx

using System;
using System.Security.Permissions;

public class Test
{

[SecurityPermission(SecurityAction.Demand, Flags = SecurityPermissionFlag.ControlAppDomain)]
public static void Example()
{
    AppDomain currentDomain = AppDomain.CurrentDomain;
    currentDomain.UnhandledException += new UnhandledExceptionEventHandler(MyHandler);

    try
    {
        throw new Exception("1");
    }
    catch (Exception e)
    {
        Console.WriteLine("Catch clause caught : " + e.Message);
    }

    throw new Exception("2");

    // Output: 
    //   Catch clause caught : 1 
    //   MyHandler caught : 2
}

static void MyHandler(object sender, UnhandledExceptionEventArgs args)
{
    Exception e = (Exception)args.ExceptionObject;
    Console.WriteLine("MyHandler caught : " + e.Message);
}

public static void Main()
{
    Example();
}

}

于 2013-02-08T13:32:11.463 回答