处理在Global.asax中的ASP.NET MVC异常(Handling exceptions

2019-07-31 23:08发布

我有正赶上在Global.asax中所有异常的代码

 protected void Application_Error(object sender, EventArgs e) 
        {
            System.Web.HttpContext context = HttpContext.Current;
            System.Exception exc = context.Server.GetLastError();
            var ip = context.Request.ServerVariables["REMOTE_ADDR"];
            var url = context.Request.Url.ToString();
            var msg = exc.Message.ToString();
            var stack = exc.StackTrace.ToString();
        }

我怎样才能获得控制器名在此错误发生

我怎样才能获得请求的客户端IP?

我可以过滤异常? 我不需要404,504 .... erors

谢谢

Answer 1:

Global.asax中还没有概念的控制器和动作的,所以我相信没有检索控制器和动作名称的API。 然而,你可能会给一个尝试解决请求的URL:

HttpContextBase currentContext = new HttpContextWrapper(HttpContext.Current);
UrlHelper urlHelper = new UrlHelper(HttpContext.Current.Request.RequestContext);
RouteData routeData = urlHelper.RouteCollection.GetRouteData(currentContext);
string action = routeData.Values["action"] as string;
string controller = routeData.Values["controller"] as string;

要获得用户的IP,您可以使用UserHostAddress属性:

string userIP = HttpContext.Current.Request.UserHostAddress;

为了过滤掉HTTP,你是不是要处理,你可以使用类似的例外:

HttpException httpException = exception as HttpException;
if (httpException != null)
{
    switch (httpException.GetHttpCode())
    {
        case 404:
        case 504:
            return;
    }
}

关于异常处理的最后一个的话 - 这是不这样做在全球层面上,当有更多的本地执行它的方式是最佳实践。 例如,在ASP.NET MVC基本Controller类有一个方法:

protected virtual void OnException(ExceptionContext filterContext)

其中,重写时,会给你上发生的异常的完全控制。 你可以拥有一切可供您在Global.asax中 ASP.NET MVC特定的功能,如引用到控制器,视图上下文,数据路由等信息



Answer 2:

我这样使用它的下面

你可以得到用户的IP是这样

var userip = context.Request.UserAgent; 

你可以得到你的网址,其中发生这样的这个错误

var ururl = System.Web.HttpContext.Current.Request.Url; 

我认为这将帮助你...



Answer 3:

我会采取不同的策略,把(如果你有一个或基本控制器)使用您的控制器属性

 public class HandleErrorAttributeCustom : HandleErrorAttribute
    {
       public override void OnException(ExceptionContext context)
        {
            //you can get controller by using
            context.Controller.GetType()

            //however, I'd recommend pluggin in Elmah here instead 
            //as it gives this easily and also can has filtering
            //options that you want

        }
}


文章来源: Handling exceptions in global.asax ASP.NET MVC