SpringMVC异常处理机制
系统中异常包括两类:
- 预期异常
- 运行时异常RuntimeException
SpringMVC中对异常的处理:
系统的Dao、Service、Controller出现的异常都通过 throws Exception向上抛出,最后交给SpringMVC前端控制器,其会把异常交由异常处理器进行异常处理。
异常处理器
有两种方式:
- 使用SpringMVC提供的简单异常处理器SimpleMappingExceptionResolver
- 实现Spring的异常处理接口HanlderExceptionResolver,自定义自己的异常处理器
简单异常处理器SimpleMappingExceptionResolver
其为SpringMVC已经定义好的处理器,在使用时可以根据项目情况进行相应异常与视图的映射配置。
<!--配置简单映射异常处理器-->
<bean
class=“org.springframework.web.servlet.handler.SimpleMappingExceptionResolver”>
<property name=“defaultErrorView” value=“error”/>
<property name=“exceptionMappings”>
<map>
<entry key="com.itheima.exception.MyException" value="error1"/>
<entry key="java.lang.ClassCastException" value="error2"/>
</map>
</property>
</bean>
自定义异常处理器
处理步骤:
- 创建异常处理器类实现HandlerExceptionResolver(重写其resolveException方法)
- 配置异常处理器
- 编写异常页面(以供跳转显示)
- 测试异常跳转
1.创建异常处理器类实现HandlerExceptionResolver
public class MyExceptionResolver implements HandlerExceptionResolver {
@Override
public ModelAndView resolveException(HttpServletRequest request,
HttpServletResponse response, Object handler, Exception ex) {
//处理异常的代码实现
//创建ModelAndView对象
ModelAndView modelAndView = new ModelAndView();
modelAndView.setViewName("exceptionPage");
return modelAndView;
}
}
2.配置异常处理器
<bean id="exceptionResolver" class="com.itheima.exception.MyExceptionResolver"/>
3.编写异常页面
<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
<head>
<title>Title</title>
</head>
<!--页面文件名为:error.jsp-->
<body>
这是一个最终异常的显示页面
</body>
</html>
4.测试异常跳转
@RequestMapping("/quick22")
@ResponseBody
public void quickMethod22() throws IOException, ParseException {
SimpleDateFormat simpleDateFormat = new SimpleDateFormat("yyyy-MM-dd");
simpleDateFormat.parse("abcde");
}
小结
异常处理方式:
- 配置简单异常处理器SimpleMappingExceptionResolver
- 自定义异常处理器
自定义异常处理步骤:
- 创建异常处理器类实现HandlerExceptionResolver
- 配置异常处理器
- 编写异常页面
- 测试异常跳转