1.通过HttpModule来捕获未处理的异常【推荐】
首先需要定义一个HttpModule,并监听未处理异常,代码如下:
1 public void Init(HttpApplication context) 2 { 3 context.Error += new EventHandler(context_Error); 4 } 5 6 public void context_Error(object sender, EventArgs e) 7 { 8 //此处处理异常 9 HttpContext ctx = HttpContext.Current; 10 HttpResponse response = ctx.Response; 11 HttpRequest request = ctx.Request; 12 13 //获取到HttpUnhandledException异常,这个异常包含一个实际出现的异常 14 Exception ex = ctx.Server.GetLastError(); 15 //实际发生的异常 16 Exception iex = ex.InnerException; 17 18 response.Write("来自ErrorModule的错误处理<br />"); 19 response.Write(iex.Message); 20 21 ctx.Server.ClearError(); 22 }
然后在web.config中加入配置信息:
<httpModules> <add name="errorCatchModule" type="WebModules.ErrorHandlerModule, WebModules" /> </httpModules>
这样就可以处理来自webApp中未处理的异常信息了。
之所以推荐这种方法,是因为这种实现易于扩展、通用;这种方法也是用的最多的。
2.Global中捕获未处理的异常
在Global.asax中有一个Application_Error的方法,这个方法是在应用程序发生未处理异常时调用的,我们可以在这里添加处理代码:
1 void Application_Error(object sender, EventArgs e) 2 { 3 //获取到HttpUnhandledException异常,这个异常包含一个实际出现的异常 4 Exception ex = Server.GetLastError(); 5 //实际发生的异常 6 Exception iex = ex.InnerException; 7 8 string errorMsg = String.Empty; 9 string particular = String.Empty; 10 if (iex != null) 11 { 12 errorMsg = iex.Message; 13 particular = iex.StackTrace; 14 } 15 else 16 { 17 errorMsg = ex.Message; 18 particular = ex.StackTrace; 19 } 20 HttpContext.Current.Response.Write("来自Global的错误处理<br />"); 21 HttpContext.Current.Response.Write(errorMsg); 22 23 Server.ClearError();//处理完及时清理异常 24 }
这种处理方式同样能够获取全局未处理异常,但相对于使用HttpModule的实现,显得不够灵活和通用。
HttpModule优先于Global中的Application_Error方法。
3.页面级别的异常捕获
我们还可以在页面中添加异常处理方法:在页面代码中添加方法Page_Error,这个方法会处理页面上发生的未处理异常信息。
1 protected void Page_Error(object sender, EventArgs e) 2 { 3 string errorMsg = String.Empty; 4 Exception currentError = Server.GetLastError(); 5 errorMsg += "来自页面的异常处理<br />"; 6 errorMsg += "系统发生错误:<br />"; 7 errorMsg += "错误地址:" + Request.Url + "<br />"; 8 errorMsg += "错误信息:" + currentError.Message + "<br />"; 9 Response.Write(errorMsg); 10 Server.ClearError();//清除异常(否则将引发全局的Application_Error事件) 11 }
这种方法会优先于HttpModule和Global。