為了增強現在正在開發的系統的健壯性,需要捕獲運行時出現的無法預料而且沒有被處理(unhandled)的異常。查了資料後,找到了使用 Application.ThreadException 事件處理這些異常的方法,基本步驟包括,
1、為ThreadException事件添加一個處理異常的函數控制代碼
2、定義處理異常的函數
例子如下:
[STAThread]
static void Main(){ Application.ThreadException += new ThreadExceptionEventHandler(Application_ThreadException); Application.Run(new FrmMain());}private static void Application_ThreadException(object sender, ThreadExceptionEventArgs e){ MessageBox.Show("Unhandled exception: "+e.Exception.ToString());}
這種方法簡單易行,而且處理效率較高,可以按照使用者的意圖,很方便的添加處理異常理的其他功能。但我發現,如果使用第三方提供的控制項時,根本不起作用,原應可能是第三方控制項運行在不同的線程中。在Microsoft的協助中也確實提到了,上面的方法只能處理主線程中未處理的異常。好了,上網查,找到了下面的方法,使用 AppDomain.UnhandledException 替代Application.ThreadException。
首先需要瞭解的是,此時定義的事件處理函數需要在拋出異常的線程中執行,但是在主線程中給出異常提示都是在主線程中完成的,那麼如何解決這個問題呢?下面的代碼給出了一個比較完整的解決方案。
private delegate void ExceptionDelegate(Exception x);
static private FrmMain _MainForm;
/// <summary>
/// The main entry point for the application.
/// </summary>
[STAThread]
static void Main()
{
_MainForm = new FrmMain();
AppDomain.CurrentDomain.UnhandledException += new UnhandledExceptionEventHandler(AppDomain_UnhandledException);
Application.Run(_MainForm);
}
private static void AppDomain_UnhandledException(object sender, UnhandledExceptionEventArgs e)
{
Exception exception;
exception = e.ExceptionObject as Exception;
if (exception == null)
{
// this is an unmanaged exception, you may want to handle it differently
return;
}
PublishOnMainThread(exception);
}
private static void PublishOnMainThread(Exception exception)
{
if (_MainForm.InvokeRequired)
{
// Invoke executes a delegate on the thread that owns _MainForms's underlying window handle.
_MainForm.Invoke(new ExceptionDelegate(HandleException), new object[] {exception});
}
else
{
HandleException(exception);
}
}
private static void HandleException(Exception exception)
{
if (SystemInformation.UserInteractive)
{
using (ThreadExceptionDialog dialog = new ThreadExceptionDialog(exception))
{
if (dialog.ShowDialog() == DialogResult.Cancel)
return;
}
Application.Exit();
Environment.Exit(0);
}
}
private void ThreadMethod()
{
throw new Exception("From new thread");
}
private void button1_Click(object sender, System.EventArgs e)
{
Thread thread;
thread = new Thread(new ThreadStart(ThreadMethod));
thread.Start();
}
需要注意的是:
1、需要為所有的 AppDomain 的 UnhandledException 添加一個處理
2、 UnhandledExceptionEventArgs 參數中包含一個 IsTerminating 屬性,表示是否中止 common language runtime