在控制器的方法发生异常后,默认情况会显示Tomcat的500页面,这种用户体验并不好。如果我们在每个控制器方法自行捕获异常,显然又太繁琐。有没有好的异常处理办法呢?有的,就是Spring MVC的全局异常处理机制。Spring MVC提供了两种全局异常处理机制:
- 定义异常类,实现HandlerExceptionResolver接口
- 定义异常类,使用@ControllerAdvice+@ExceptionHandler注解
下面看看实现步骤。
1 编写控制器,模拟异常
package com.yiidian.controller;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.ui.ModelMap;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.ResponseBody;
import org.springframework.web.multipart.MultipartFile;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import javax.servlet.http.HttpSession;
import java.io.*;
import java.util.UUID;
/**
* 控制器
* 一点教程网 - www.yiidian.com
*/
@Controller
public class HelloController {
@RequestMapping("/hello")
public String upload(HttpSession session, HttpServletResponse response) throws Exception {
//模拟异常
int i = 100/0;
return "success";
}
}
2 编写全局异常处理类
2.1 全局异常类编写方式一
package com.yiidian.exception;
import org.springframework.web.servlet.HandlerExceptionResolver;
import org.springframework.web.servlet.ModelAndView;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
/**
* 方式一:自定义异常处理类
*/
public class MyCustomException1 implements HandlerExceptionResolver{
@Override
public ModelAndView resolveException(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, Object o, Exception e) {
ModelAndView mv = new ModelAndView();
mv.addObject("errorMsg",e.getMessage());
mv.setViewName("error");
return mv;
}
}
这种写法,我们需要实现HandlerExceptionResolver接口,然后实现resolveException方法,编写处理异常逻辑。
2.2 全局异常类编写方式二
package com.yiidian.exception;
import org.springframework.web.bind.annotation.ControllerAdvice;
import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.servlet.HandlerExceptionResolver;
import org.springframework.web.servlet.ModelAndView;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
/**
* 方式二:自定义异常处理类
*/
@ControllerAdvice
public class MyCustomException2{
@ExceptionHandler
public ModelAndView handlerError(Exception e){
ModelAndView mv = new ModelAndView();
mv.setViewName("error");
mv.addObject("errorMsg",e.getMessage());
return mv;
}
}
第二种写法,直接在类上使用@ControllerAdvice,在异常处理方法上添加@ExceptionHandler注解。这种做法底层是AOP思想。
3 配置全局异常处理类
方式一:
<!--创建自定义异常处理对象-->
<bean class="com.yiidian.exception.MyCustomException1"/>
方式二:
<!--创建自定义异常处理对象-->
<bean class="com.yiidian.exception.MyCustomException2"/>
4 运行测试
访问控制器方法,发生异常后经过全局异常处理类,跳转到error.jsp页面