1.应用场景
java web项目中,有时我们需要在错误发生时,需要跳转到错误页面,给出用户提示信息,或者显示站点维护者信息。发生错误的情况有很多种情况,做为一个完整的系统,尽可能覆盖所有情况。针对各种情况的具体措施主要有以下:
(1)特定场景的请求需要跳转到制定页面
可以通过自定义拦截器来处理特定环境的请求,做特殊处理,比如一些页面只能在微信浏览器里面打开,不能允许在其他浏览器打开。
(2)业务处理层,控制层代码产生异常,需要跳转到错误页面,提示用户
通过配置全局异常处理类来处理异常,设置跳转。具体看我的另外一篇文章;
public class ExceptionResolver extends SimpleMappingExceptionResolver
{
@Override
protected ModelAndView doResolveException (HttpServletRequest request, HttpServletResponse response, Object handler, Exception ex)
{
//登录异常的错误处理
if (ex instanceof NoLoginException)
{ //如果请求是页面,不是Json数据,跳转到403页面(error-page配置)
if (!isJsonRequest)
{
response.setStatus(403);
}
String returnUrl = "";
try
{
//请求页面的地址
returnUrl = URLEncoder.encode(Constants.BASE_SERVER + request.getRequestURI() + (request.getQueryString() != null ? "?" + request.getQueryString() : ""), "utf-8");
}
catch (UnsupportedEncodingException e)
{
returnUrl = "";
}
//跳转到登录页面,登录成功后再回到请求页面地址
String redirectUrl = WapUrl.LOGINPAGE + "?returnUrl=" + returnUrl;
return getModelAndView(redirectUrl, ex, request);
}
//其他异常错误
else
{
//如果请求是页面,不是Json数据,跳转到500页面(error-page配置)
if (!isJsonRequest)
{
response.setStatus(500);
}
return getModelAndView("/exception/500", ex, request);
}
}
(3)请求地址不存在,请求参数错误异常
可以通过web.xml的error-page标签来实现。比如输入一个不存在地址路径,请求参数错误
@RequestMapping(value = WapUrl.gobuy, method = RequestMethod.GET)
public String goSaleManCenter(@RequestParam(name = "account", required = true) String account,
HttpServletRequest request, @ModelAttribute("model") ModelMap modelMap) {
//如果请求地址参数account没有,则出现异常,返回404状态
}
2.error-page用法
error-page只要是一个java web项目便会支持,而不需要考虑框架插件等的引入。在web.xml中配置,主要有两种用法
2.1 按错误状态指定跳转
只要服务器返回如下的400,404,500等status状态,就可以跳转到相应的页面,比如可在代码中设置状态response.setStatus(500);
<!-- 错误跳转页面 -->
<error-page>
<error-code>400</error-code>
<location>/WEB-INF/ftl/exception/404.ftl</location>
</error-page>
<error-page>
<!-- 路径不正确 -->
<error-code>404</error-code>
<location>/WEB-INF/ftl/exception/404.ftl</location>
</error-page>
<error-page>
<!-- 不允许的方法 -->
<error-code>405</error-code>
<location>/WEB-INF/ftl/exception/404.ftl</location>
</error-page>
<error-page>
<!-- 内部错误 -->
<error-code>500</error-code>
<location>/WEB-INF/ftl/exception/404.ftl</location>
</error-page>
输入一个不存在的url地址。可以看到404.ftl被正确显示。
2.2 按异常类型指定跳转
如果对业务处理层,控制层代码产生的异常没有做统一处理,很多异常都有可能被抛出来而没有得到非常妥当的处理。前端用户会面对一大段异常文本而不知所措。这时也可以设置异常类型指定跳转。
比如空指针异常:
<error-page>
<exception-type>java.lang.NullPointerException</exception-type>
<location>/WEB-INF/jsp/errors/error.jsp</location>
</error-page>
网友评论