2

我已经设置了一个带有 _error.cshtml 的 mvc 应用程序,该应用程序设置为捕获我在控制器中抛出的异常。

我在一些页面上也有一些 ajax 帖子检查错误,然后它会做其他事情。

在服务器上,我对所有异常都有一个过滤器,然后检查它是否是 ajax 请求并返回可以在客户端反序列化的内容。问题是,如果我没有将发布响应状态代码设置为 500,那么 ajax 将不会看到这个错误并且我无法显示一个好的消息。如果我将状态设置为 500,我会收到默认的 IIS 错误消息,说明服务器上发生了一些事情。

我想在 ajax 结果中处理页面上的一些错误,但保持通用错误处理。这是允许每个站点自定义 500 条消息的 IIS 设置吗?web.config Custom Error On|Off 在我的情况下没有任何区别。

4

1 回答 1

3

您对所有异常进行检查的过滤器是否是 ajax 请求,是您自己制作的过滤器吗?

我有一个稍微类似的问题,我必须确保将TrySkipIisCustomErrors标志设置为 true 以避免标准 IIS 错误。此标志位于 HttpContext 的 Response 对象上。

这也是由标准的 HandleError 过滤器完成的,请注意其 OnException 方法实现中的最后一行:

    public virtual void OnException(ExceptionContext filterContext) {
        if (filterContext == null) {
            throw new ArgumentNullException("filterContext");
        }
        if (filterContext.IsChildAction) {
            return;
        }

        // If custom errors are disabled, we need to let the normal ASP.NET exception handler
        // execute so that the user can see useful debugging information.
        if (filterContext.ExceptionHandled || !filterContext.HttpContext.IsCustomErrorEnabled) {
            return;
        }

        Exception exception = filterContext.Exception;

        // If this is not an HTTP 500 (for example, if somebody throws an HTTP 404 from an action method),
        // ignore it.
        if (new HttpException(null, exception).GetHttpCode() != 500) {
            return;
        }

        if (!ExceptionType.IsInstanceOfType(exception)) {
            return;
        }

        string controllerName = (string)filterContext.RouteData.Values["controller"];
        string actionName = (string)filterContext.RouteData.Values["action"];
        HandleErrorInfo model = new HandleErrorInfo(filterContext.Exception, controllerName, actionName);
        filterContext.Result = new ViewResult {
            ViewName = View,
            MasterName = Master,
            ViewData = new ViewDataDictionary<HandleErrorInfo>(model),
            TempData = filterContext.Controller.TempData
        };
        filterContext.ExceptionHandled = true;
        filterContext.HttpContext.Response.Clear();
        filterContext.HttpContext.Response.StatusCode = 500;

        // Certain versions of IIS will sometimes use their own error page when
        // they detect a server error. Setting this property indicates that we
        // want it to try to render ASP.NET MVC's error page instead.
        filterContext.HttpContext.Response.TrySkipIisCustomErrors = true;
    }
于 2012-11-20T19:59:18.490 回答