系统中异常包括两类:预期异常和运行时异常RuntimeException,前者通过捕获异常从而获取异常信息,后者主要通过规范代码开发、测试通过手段减少运行时异常的发生。
系统的dao、service、controller出现都通过throws Exception向上抛出,最后由springmvc前端控制器交由异常处理器进行异常处理,如下图:
springmvc提供全局异常处理器(一个系统只有一个异常处理器)进行统一异常处理。
对不同的异常类型定义异常类,继承Exception。
package exception;
/**
*
* 系统自定义异常处理类,异常分为预期的异常和Runtiming异常,针对预期的异常需要在程序中抛出此类异常信息
* @author
*
*/
public class CustomException extends Exception{
private static final long serialVersionUID = 697213883934767284L;
private String message;
public CustomException(String message) {
super(message);
this.message = message;
}
public String getMessage() {
return message;
}
public void setMessage(String message) {
this.message = message;
}
}
全局异常处理类
springmvc提供一个HandlerExceptionResolver接口
package exception;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import org.springframework.stereotype.Component;
import org.springframework.web.servlet.HandlerExceptionResolver;
import org.springframework.web.servlet.ModelAndView;
/**
* 思路:
* 系统遇到异常,在程序中手动抛出,dao抛给service、service给controller、controller抛给前端控制器,前端控制器调用全局异常处理器。
* 全局异常处理器处理思路: 解析出异常类型 如果该 异常类型是系统 自定义的异常,直接取出异常信息,在错误页面展示 如果该 异常类型不是系统
* 自定义的异常,构造一个自定义的异常类型(信息为“未知错误”)
*/
public class CustomExceptionResolve implements HandlerExceptionResolver {
@Override
public ModelAndView resolveException(HttpServletRequest request, HttpServletResponse response, Object handle,
Exception exception) {
ModelAndView modelAndView=new ModelAndView();
// handler就是处理器适配器要执行Handler对象(只有method)
// 解析出异常类型
CustomException customException=null;
// 如果该 异常类型是系统 自定义的异常,直接取出异常信息,在错误页面展示
if (exception instanceof CustomException) {
customException= (CustomException)exception;
}else {
// 如果该 异常类型不是系统 自定义的异常,构造一个自定义的异常类型(信息为“未知错误”)
customException=new CustomException("未知错误");
}
//将错误信息传到页面
modelAndView.addObject("message", customException.getMessage());
//跳转到错误页面
modelAndView.setViewName("error");
return modelAndView;
}
}
springmvc.xml中配置全局异常处理类
<!-- 配置全局异常处理 -->
<bean class="exception.CustomExceptionResolve"></bean>
<%@ page language="java" contentType="text/html; charset=UTF-8"
pageEncoding="UTF-8"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<title>错误页面</title>
</head>
<body>
<h2>${message}</h2>
</body>
</html>
测试
在查询时候输入一个数据库并不存在的id,我们就能看到全局异常类干活了