SpringMVC通过使用 HandlerExceptionResolver处理程序异常。
在没有加<mvc:annotation-driver />之前,SpringMVC的DispatcherServlet默认装配AnnotationMethodHandlerExceptionResolver异常处理器。使用了<mvc:annotation-driver /> SpringMVC将装配HandlerException异常处理器。
- SpringMVC异常处理器的使用
在Controller类的方法上加@ExceptionHandler({ArithmeticException.class})注解
@ExceptionHandler({ArithmeticException.class})
public String testExceptionHandler(Exception ex){
System.out.println("Exception : " + ex);
return "error";
}
- 将异常返回到页面
注意,@ExceptionHandler注解的方法里不能用Map作为参数,如果需要需要将异常传导到页面上,需要使用ModelAndView作为返回值。
@ExceptionHandler({ArithmeticException.class})
public ModelAndView testExceptionHandler(Exception ex){
System.out.println("Exception : " + ex);
ModelAndView mv = new ModelAndView("error");
mv.addObject("exception", ex);
return mv;
}
- 异常处理器执行的优先关系
如果在一个Controller类里定义了两个被@ExceptionHandler注解的方法,先被定义(代码行数靠前)的将被执行,后面的异常处理器被不被执行。
@ExceptionHandler ({RuntimeException.class, NullPointException.class})
public String testExceptionHandler1(Exception ex) {
... some operate for exception ...
return "error";
}
@ExceptionHandler ({ArithmeticException.class})
public String testExceptionHandler2 (Exception ex){
... some operate for exception
return "error";
}
此时,当被@ExceptionHandler注解标识的方法所在的被@Controller注解标识类出现异常时,将会调用异常处理器testExceptionHandler1方法,testExceptionHandler2将不会被调用。
- @ControllerAdvice 的使用
当被@Controller标识的类里没有定义异常处理器时,当程序抛出异常时,将会调用被@ControllerAdvice标识类里被@ExceptionHandler标识的方法。
public class GeneralExceptionHandler {
@ExceptionHandler
public String generalExceptionHandler (Exception ex){
... some operation of ex ....
return "error";
}
}
@ResponseStatus注解
SpringMVC对异常的处理,不仅可以使用@ExceptionHandler,而且可以使用@ResponseStatus注解。作用范围
@ResponseStatus不仅可以用在类上,也可以用在方法上。属性
@ResponseStatus拥有两个属性
value:指定返回的状态码
reason:返回给页面的信息实例
1.@ResponseStatus作用于类上
/**
* 自定义异常类:@ResponseStatus作用于类上
**/
@ResponseStatus (value = HttpStatus.FORBIDDEN, reason = "无访问权限")
public class MyException extends RuntimeException {
}
@Controller
public class MyView {
@RequestMapping (value = "/testException")
private String testException(Exception ex) {
try {
int result = 1 / 0;
} catch (Exception e) {
throw new MyException();
}
return "error";
}
}
-
测试结果
2.@ResponseStatus作用于方法上
@Controller
public class MyView {
@ResponseStatus (value = HttpStatus.NOT_FOUND, reason = "资源丢失啊啊啊")
@RequestMapping (value = "/testException")
private void testException(Exception ex) {
}
}
如果@ResponseStatus作用于方法上,无论方法执行成功与否都会返回到自定义的异常页面。
-
测试结果