(注意:全局异常处理器是一个需要自己写的异常类;全局拦截器 一般写在前端request.js里)

案例:

新增员工时输入的账号已经存在  且  由于表中对该字段加入了唯一约束,此时程序会抛出异常

 java.sql.SQLIntegrityConstraintViolationException:Duplicate entry 'aa' for key 'idx_username'

解决思路:

①在Controller方法中加入try、catch进行异常捕获。但缺点是:后面新增的数据比较多,那样的话try catch会写很多遍。最好用第二种(全局异常捕获)

try{
    employeeService.save(employee);
}catch(Exception ex){
    R.error("新增员工失败");
}
return R.success("新增员工成功!")

②使用异常处理器进行全局异常捕获。

@ExceptionHandler(SQLIntegrityConstraintViolationException.class) 指 一旦Controller抛SQLIntegrityConstraintViolationException 这种异常,就会在这儿被拦截到,统一在exceptionHandler()这个方法里进行处理)ying

import lombok.extern.slf4j.Slf4j;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.ControllerAdvice;
import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.annotation.ResponseBody;
import org.springframework.web.bind.annotation.RestController;
import java.sql.SQLIntegrityConstraintViolationException;
/*
* 全局异常处理器
* */
@ControllerAdvice(annotations = {RestController.class, Controller.class}) 
@ResponseBody
@Slf4j
public class GlobalExceptionHandler {
    /*
    * 异常处理方法
    * */
    @ExceptionHandler(SQLIntegrityConstraintViolationException.class)
    public R<String> exceptionHandler(SQLIntegrityConstraintViolationException ex){
       log.error(ex.getMessage());

       if(ex.getMessage().contains("Duplicate entry")){
           String[] split = ex.getMessage().split(" ");
           String msg = split[2] + "已存在";//这里的split[2]就是zhangsan
           return R.error(msg);
       }
       return R.error("未知错误111");
    }
}

//@ControllerAdvice 配合 @ExceptionHandler 实现全局异常处理.用于在特定的处理器类、方法中处理异常的注解
//@ControllerAdvice(annotations = {在这里面指定拦截哪些Controller})
//RestController.class意思是拦截类上加了RestController注解的Controller
//一会儿要写的方法中要返回json数据,所以需要个@ResponseBody注解

/*@ExceptionHandler(SQLIntegrityConstraintViolationException.class) 一旦Controller抛SQLIntegrityConstraintViolationException
这种异常,就会在这儿被拦截到,统一在exceptionHandler()这个方法里进行处理
 */

应用:

    /*
    *新增员工
    * */
    @PostMapping
    public R<String> save(HttpServletRequest request, @RequestBody Employee employee){
    
        //设置初始密码123456,需要进行md5加密
        employee.setPassword(DigestUtils.md5DigestAsHex("123456".getBytes()));
        employee.setCreateTime(LocalDateTime.now());
        employee.setUpdateTime(LocalDateTime.now());

        //获得当前登录用户的id
        Long empId = (Long)request.getSession().getAttribute("employee");
        employee.setCreateUser(empId);
        employee.setUpdateUser(empId);

        employeeService.save(employee);

        return R.success("新增员工成功");
    }

总结:由于全局异常处理器类里加了注解 @ControllerAdvice(annotations = {RestController.class, Controller.class}) ,所以任何加了RestController和Controller注解的conrtroller类都会被GlobalExceptionHandler这一全局异常处理器处理。当EmployeeController中的save方法( 已加异常处理的注解@ExceptionHandler(SQLIntegrityConstraintViolationException.class))报错时,就会被立即拦截到,然后对错误信息进行处理。

Logo

鸿蒙生态一站式服务平台。

更多推荐