使用这个(非常有用的)资源(https://dusted.codes/demystifying-aspnet-mvc-5-error-pages-and-error-logging),我在Web.config中设置了customErrors和httpErrors,以便显示自定义错误页面.效果很好.
我将在Area / subdomain中使用不同的布局/样式,所以我想知道:
如何让区域显示自己的错误页面?
使用当前设置,所有子域都将显示添加到customErrors和httpErrors部分的主要自定义错误集(403.html,404.html等);但我更喜欢某些子域的定制错误页面. (例如,如果其中一个区域完全由一个单独的域处理,那么提供常规错误页面是不切实际的.)
更新:
这是根据请求使用代码的方案.感谢Ben Foster,他在这里提供了很好的指导:http://benfoster.io/blog/aspnet-mvc-custom-error-pages2.我已经为customErrors设置了代码,但没有提供相应的httpErrors …为了简洁而省略了它.
<system.web> <customErrors mode="On" redirectMode="ResponseRewrite" defaultRedirect="~/500.aspx"> <error statusCode="404" redirect="~/404.aspx" /> <error statusCode="500" redirect="~/500.aspx" /> </customErrors> </system.web> <location path="MyArea1"> <system.web> <customErrors mode="On" redirectMode="ResponseRewrite" defaultRedirect="~/Areas/MyArea1/500.aspx"> <error statusCode="404" redirect="~/Areas/MyArea1/404.aspx" /> <error statusCode="500" redirect="~/Areas/MyArea1/500.aspx" /> </customErrors> </system.web> </location> <location path="MyArea2"> <system.web> <customErrors mode="On" redirectMode="ResponseRewrite" defaultRedirect="~/Areas/MyArea2/500.aspx"> <error statusCode="404" redirect="~/Areas/MyArea2/404.aspx" /> <error statusCode="500" redirect="~/Areas/MyArea2/500.aspx" /> </customErrors> </system.web> </location>
>如果我导航到“example.com/does/not/exist”,我会得到
预期错误页面在〜/ 404.aspx.
>如果我导航到“example.com/MyArea1/does/not/exist”,我会
在〜/ Areas / MyArea1 / 404.aspx获取自定义错误页面.
挑战:
现在我想要一个区域(MyArea2)由一个完全独立的域(例如exampleOnMyOtherDomain.com)服务,使用HostDomainConstraint(由@TetsuyaYamamoto推荐,在下面的评论中).现在将以这种方式访问可通过“example.com/MyArea2/validlink”访问的链接:“exampleOnMyOtherDomain.com/validlink”.
现在,如果我尝试“exampleOnMyOtherDomain.com/does/not/exist”,我将获得顶级404(〜/ 404.aspx).这可能是因为“MyArea2”不再位于路径中,因此将不会拾取路径为“MyArea2”的位置.
解决方法
我正在使用以下代码处理Global.asax中的“Application_Error”事件:
protected void Application_Error(object sender,EventArgs e) { string hostName = Request.Headers["host"].Split(':')[0]; if (hostName.Contains("exampleOnMyOtherDomain")) { Exception exception = Server.GetLastError(); Response.Clear(); HttpException httpException = exception as HttpException; Response.TrySkipIisCustomErrors = true; switch (httpException.GetHttpCode()) { case 404: Response.StatusCode = 404; Server.Transfer("~/Errors/MyArea2_404.htm"); break; case 500: default: Response.StatusCode = 500; Server.Transfer("~/Errors/MyArea2_500.htm"); break; } Server.ClearError(); } }
注意事项:
> hostName.Contains(“exampleOnMyOtherDomain”)应该将主机名与我感兴趣的区域进行比较.我将添加其他区域的if语句;
> Response.TrySkipIisCustomErrors = true应该阻止IIS尝试处理错误;
> Response.StatusCode适当地设置状态代码(‘404’,’500’……);
> Server.Transfer()读入一个我想显示为错误页面的文件;
> Server.ClearError()应该表示已经处理了错误.
我希望customErrors / httpErrors继续处理常规错误.当执行通过Application_Error块而不进行处理(即未调用Server.ClearError())时,customErrors / httpErrors将处理错误.
对于处理由不同域服务的区域的错误,这似乎是一个不错的策略.