178

背景

我正在为客户端开发 API 服务层,并要求我在全局范围内捕获并记录所有错误。

因此,虽然像未知端点(或动作)这样的东西很容易通过使用 ELMAH 或添加类似这样的东西来处理Global.asax

protected void Application_Error()
{
     Exception unhandledException = Server.GetLastError();
     //do more stuff
}

. . .unhandled 与路由无关的错误不会被记录。例如:

public class ReportController : ApiController
{
    public int test()
    {
        var foo = Convert.ToInt32("a");//Will throw error but isn't logged!!
        return foo;
    }
}

我还尝试[HandleError]通过注册此过滤器来全局设置属性:

filters.Add(new HandleErrorAttribute());

但这也不会记录所有错误。

问题/问题

如何拦截像/test上面调用产生的错误,以便我可以记录它们?似乎这个答案应该是显而易见的,但我已经尝试了到目前为止我能想到的一切。

理想情况下,我想在错误日志中添加一些内容,例如请求用户的 IP 地址、日期、时间等。我还希望能够在遇到错误时自动向支持人员发送电子邮件。只要我能在这些错误发生时拦截它们,我就能做到这一切!

解决!

感谢 Darin Dimitrov,我接受了他的回答,我明白了这一点。 WebAPI处理错误的方式与常规 MVC 控制器不同。

这是有效的:

1) 将自定义过滤器添加到您的命名空间:

public class ExceptionHandlingAttribute : ExceptionFilterAttribute
{
    public override void OnException(HttpActionExecutedContext context)
    {
        if (context.Exception is BusinessException)
        {
            throw new HttpResponseException(new HttpResponseMessage(HttpStatusCode.InternalServerError)
            {
                Content = new StringContent(context.Exception.Message),
                ReasonPhrase = "Exception"
            });

        }

        //Log Critical errors
        Debug.WriteLine(context.Exception);

        throw new HttpResponseException(new HttpResponseMessage(HttpStatusCode.InternalServerError)
        {
            Content = new StringContent("An error occurred, please try again or contact the administrator."),
            ReasonPhrase = "Critical Exception"
        });
    }
}

2) 现在在WebApiConfig类中全局注册过滤器:

public static class WebApiConfig
{
     public static void Register(HttpConfiguration config)
     {
         config.Routes.MapHttpRoute("DefaultApi", "api/{controller}/{action}/{id}", new { id = RouteParameter.Optional });
         config.Filters.Add(new ExceptionHandlingAttribute());
     }
}

或者[ExceptionHandling]你可以跳过注册,只用属性装饰一个控制器。

4

5 回答 5

82

作为对先前答案的补充。

昨天,ASP.NET Web API 2.1 正式发布
它提供了另一个在全球范围内处理异常的机会。样本
中给出了详细信息。

简而言之,您添加全局异常记录器和/或全局异常处理程序(只有一个)。
您将它们添加到配置中:

public static void Register(HttpConfiguration config)
{
  config.MapHttpAttributeRoutes();

  // There can be multiple exception loggers.
  // (By default, no exception loggers are registered.)
  config.Services.Add(typeof(IExceptionLogger), new ElmahExceptionLogger());

  // There must be exactly one exception handler.
  // (There is a default one that may be replaced.)
  config.Services.Replace(typeof(IExceptionHandler), new GenericTextExceptionHandler());
}

以及他们的实现:

public class ElmahExceptionLogger : ExceptionLogger
{
  public override void Log(ExceptionLoggerContext context)
  {
    ...
  }
}

public class GenericTextExceptionHandler : ExceptionHandler
{
  public override void Handle(ExceptionHandlerContext context)
  {
    context.Result = new InternalServerErrorTextPlainResult(
      "An unhandled exception occurred; check the log for more information.",
      Encoding.UTF8,
      context.Request);
  }
}
于 2014-01-21T08:18:53.560 回答
56

如果您的 Web API 托管在 ASP.NET 应用程序中,Application_Error则将为代码中所有未处理的异常调用该事件,包括您显示的测试操作中的异常。所以你所要做的就是在 Application_Error 事件中处理这个异常。在您展示的示例代码中,您只处理类型的异常,HttpException这显然不是Convert.ToInt32("a")代码的情况。因此,请确保您在其中记录并处理所有异常:

protected void Application_Error()
{
    Exception unhandledException = Server.GetLastError();
    HttpException httpException = unhandledException as HttpException;
    if (httpException == null)
    {
        Exception innerException = unhandledException.InnerException;
        httpException = innerException as HttpException;
    }

    if (httpException != null)
    {
        int httpCode = httpException.GetHttpCode();
        switch (httpCode)
        {
            case (int)HttpStatusCode.Unauthorized:
                Response.Redirect("/Http/Error401");
                break;

            // TODO: don't forget that here you have many other status codes to test 
            // and handle in addition to 401.
        }
        else
        {
            // It was not an HttpException. This will be executed for your test action.
            // Here you should log and handle this case. Use the unhandledException instance here
        }
    }
}

Web API 中的异常处理可以在各个级别完成。以下是detailed article对不同可能性的解释:

  • 可以注册为全局异常过滤器的自定义异常过滤器属性

    [AttributeUsage(AttributeTargets.All)]
    public class ExceptionHandlingAttribute : ExceptionFilterAttribute
    {
        public override void OnException(HttpActionExecutedContext context)
        {
            if (context.Exception is BusinessException)
            {
                throw new HttpResponseException(new HttpResponseMessage(HttpStatusCode.InternalServerError)
                {
                    Content = new StringContent(context.Exception.Message),
                    ReasonPhrase = "Exception"
                });
            }
    
            //Log Critical errors
            Debug.WriteLine(context.Exception);
    
            throw new HttpResponseException(new HttpResponseMessage(HttpStatusCode.InternalServerError)
            {
                Content = new StringContent("An error occurred, please try again or contact the administrator."),
                ReasonPhrase = "Critical Exception"
            });
        }
    }
    
  • 自定义动作调用者

    public class MyApiControllerActionInvoker : ApiControllerActionInvoker
    {
        public override Task<HttpResponseMessage> InvokeActionAsync(HttpActionContext actionContext, System.Threading.CancellationToken cancellationToken)
        {
            var result = base.InvokeActionAsync(actionContext, cancellationToken);
    
            if (result.Exception != null && result.Exception.GetBaseException() != null)
            {
                var baseException = result.Exception.GetBaseException();
    
                if (baseException is BusinessException)
                {
                    return Task.Run<HttpResponseMessage>(() => new HttpResponseMessage(HttpStatusCode.InternalServerError)
                    {
                        Content = new StringContent(baseException.Message),
                        ReasonPhrase = "Error"
    
                    });
                }
                else
                {
                    //Log critical error
                    Debug.WriteLine(baseException);
    
                    return Task.Run<HttpResponseMessage>(() => new HttpResponseMessage(HttpStatusCode.InternalServerError)
                    {
                        Content = new StringContent(baseException.Message),
                        ReasonPhrase = "Critical Error"
                    });
                }
            }
    
            return result;
        }
    }
    
于 2013-03-01T22:45:46.377 回答
8

为什么要重新抛出等?这有效,它将使服务返回状态 500 等

public class LogExceptionFilter : ExceptionFilterAttribute
{
    private static readonly ILog log = LogManager.GetLogger(typeof (LogExceptionFilter));

    public override void OnException(HttpActionExecutedContext actionExecutedContext)
    {
        log.Error("Unhandeled Exception", actionExecutedContext.Exception);
        base.OnException(actionExecutedContext);
    }
}
于 2013-10-30T11:38:01.543 回答
2

你有没有想过做一些像处理错误动作过滤器这样的事情

[HandleError]
public class BaseController : Controller {...}

您还可以创建一个自定义版本, [HandleError]您可以使用该版本编写错误信息和所有其他详细信息以记录

于 2013-03-01T22:41:44.230 回答
1

将整个事情包装在 try/catch 中并记录未处理的异常,然后将其传递。除非有更好的内置方法来做到这一点。

这是一个参考Catch All (handled or unhandled) Exceptions

(编辑:哦 API)

于 2013-03-01T22:37:12.067 回答