【SpringBoot】統一返回對象和統一異常處理


為什么要統一異常

Java異常分為unchecked和checked,對於unchecked的那些異常一般都是代碼寫的有問題,比如你沒有處理null對象,直接就用這個對象的方法或者屬性了(NullPointException),或者是除0(ArithmeticException),或者是數組下標越界了(ArrayIndexOutOfBoundsException),這種的你要是能意識到try或者throw,那肯定不可能寫錯了。

但是對於checked,就是java要求我們處理的異常了,比如說SQLException , IOException,ClassNotFoundException,如果我們不做統一處理,那前端收到的會是一坨異常調用棧,非常恐怖,而且花樣繁多,比如hibernate-validator的異常棧....

還有就是業務異常,這種的都是自定義的異常,一般都是基於RuntimeException改的。

所以,為了把這些亂七八糟的都統一起來,按照與前端約定好的格式返回,統一異常非常有必要。

為什么要統一返回值

不統一的話,返回值會五花八門,對於前端來說無法做一些統一處理,比如說統一通過狀態為快速判斷接口調用情況,接口調用失敗原因獲取每個接口都要自定義一個。

如果統一了,則前端可以寫一個調用回調解析方法,就能快速獲取接口調用情況了,十分便捷。如下代碼:

{
    "state": false,
    "code": "-1",
    "data": "數據庫中未查詢到該學生",
    "timestamp": 1640142947034
}

前端可以通過code直接判斷接口調用情況,通過data獲取異常信息,或者是需要查詢的數據。

如何實現統一異常

Spring為我們提供了一個注解:@ControllerAdvice

@ControllerAdvice
@Slf4j
public class GlobalExceptionHandler {
    /**
     * 處理自定義的業務異常
     * @param e
     * @return
     */
    @ExceptionHandler(value = BusinessException.class)
    @ResponseBody
    public ResponseEntity businessExceptionHandler(BusinessException e){
        log.error("發生業務異常!原因是:{}",e.getMessage());
        return ResponseHelper.failed(e.getMessage());
    }
    
}

我們只需要在@ExceptionHandler這里寫上想攔截處理的異常,就可以了,在該方法中,你可以把關於這個異常的信息獲取出來自由拼接,然后通過統一返回格式返回給前端,方便前端處理展示。

如Hibernate-validator報的異常非常恐怖,中間疊了好幾層:

Validation failed for argument [0] in public com.example.template.entity.ValidationTestVo com.example.template.controller.HibernateValidatorController.testValidation(com.example.template.entity.ValidationTestVo) with 4 errors: [Field error in object 'validationTestVo' on field 'userId': rejected value [122121]; codes [Size.validationTestVo.userId,Size.userId,Size.java.lang.String,Size]; arguments [org.springframework.context.support.DefaultMessageSourceResolvable: codes [validationTestVo.userId,userId]; arguments []; default message [userId],5,1]; default message [用戶ID長度必須在1-5之間]] [Field error in object 'validationTestVo' on field 'age': rejected value [213]; codes [Range.validationTestVo.age,Range.age,Range.int,Range]; arguments [org.springframework.context.support.DefaultMessageSourceResolvable: codes [validationTestVo.age,age]; arguments []; default message [age],200,0]; default message [年齡需要在0-200中間]] [Field error in object 'validationTestVo' on field 'email': rejected value [12112]; codes [Email.validationTestVo.email,Email.email,Email.java.lang.String,Email]; arguments [org.springframework.context.support.DefaultMessageSourceResolvable: codes [validationTestVo.email,email]; arguments []; default message [email],[Ljavax.validation.constraints.Pattern$Flag;@6215aa90,.*]; default message [【郵箱】格式不規范]] [Field error in object 'validationTestVo' on field 'userName': rejected value [/;p[]; codes [Pattern.validationTestVo.userName,Pattern.userName,Pattern.java.lang.String,Pattern]; arguments [org.springframework.context.support.DefaultMessageSourceResolvable: codes [validationTestVo.userName,userName]; arguments []; default message [userName],[Ljavax.validation.constraints.Pattern$Flag;@1bc38bc4,^([\\u4e00-\\u9fa5]{1,20}|[a-zA-Z\\.\\s]{1,20})$]; default message [名字只能輸入中文、英文,且在20個字符以內]] 

這種的就算是返給前端,他們也得解半天,這個情況就可以通過統一攔截處理:

 /**
     * 處理參數校驗失敗異常
     * @param e
     * @return
     */
    @ExceptionHandler(value = MethodArgumentNotValidException.class)
    @ResponseBody
    public ResponseEntity exceptionHandler(MethodArgumentNotValidException e){
        // 1.校驗
        Boolean fieldErrorUnobtainable = (e == null || e.getBindingResult() == null
                || CollectionUtils.isEmpty(e.getBindingResult().getAllErrors()) || e.getBindingResult().getAllErrors().get(0) == null);
        if (fieldErrorUnobtainable) {
            return ResponseHelper.successful();
        }

        // 2.錯誤信息
        StringBuilder sb = new StringBuilder();
        List<ObjectError> allErrors = e.getBindingResult().getAllErrors();
        if(!CollectionUtils.isEmpty(allErrors)){
            for (Object fieldError_temp:allErrors) {
                FieldError fieldError = (FieldError) fieldError_temp;
                String objectName = fieldError.getObjectName();
                String field = fieldError.getField();
                String defaultMessage = fieldError.getDefaultMessage();
                sb.append(objectName).append(".").append(field).append(":").append(defaultMessage).append(";");
            }
        }
        // 3.return
        log.error("參數校驗失敗!原因是:{}",sb.toString());
        return ResponseHelper.failed(sb.toString());
    }

返回結果變為:

{
    "state": false,
    "code": "-1",
    "data": "validationTestVo.age:年齡需要在0-200中間;validationTestVo.userId:用戶ID長度必須在1-5之間;validationTestVo.email:【郵箱】格式不規范;validationTestVo.userName:名字只能輸入中文、英文,且在20個字符以內;",
    "timestamp": 1640145039385
}

如何實現自定義業務異常

原先拋出業務異常的時候,都是直接new RuntimeException,這樣不是很友好,我們可以基於RuntimeException寫一個BusinessException,主要優點是可以自定義異常返回信息內容格式。

public class BusinessException extends RuntimeException{
    private static final long serialVersionUID = 1L;
    protected IExceptionCode exCode;
    protected String[] params;

    public BusinessException(IExceptionCode code) {
        super(code.getError());
        this.exCode = code;
    }

    public BusinessException(String message) {
        super(message);
    }

    public BusinessException(IExceptionCode code, String[] params) {
        super(code.getError());
        this.exCode = code;
        this.params = params;
    }

    public IExceptionCode getExCode() {
        return this.exCode;
    }

    protected String parseMessage(String message) {
        if (this.params == null) {
            return message;
        } else {
            String errorString = this.exCode.getError();

            for(int i = 0; i < this.params.length; ++i) {
                errorString = errorString.replace("{" + i + "}", this.params[i]);
            }

            return errorString;
        }
    }

    public String getMessage() {
        return this.exCode != null && !"".equals(this.exCode.getCode()) ? this.exCode.getCode() + ":" + this.parseMessage(this.exCode.getError()) : super.getMessage();
    }

}

其中的IExceptionCode,是規范自定義業務異常用的

public interface IExceptionCode {
    String getError();
    String getCode();
}

比如我們想寫一個自定義異常枚舉類:

public enum BusinessExCode implements IExceptionCode {
    DATABASE_NOT_FOUND("000001", "未在數據庫中找到指定數據");


    private String code;
    private String error;

    BusinessExCode(String code, String error) {
        this.code = code;
        this.error = error;
    }

    @Override
    public String getCode() {
        return code;
    }

    public void setCode(String code) {
        this.code = code;
    }

    @Override
    public String getError() {
        return error;
    }

    public void setError(String error) {
        this.error = error;
    }

}

寫例子:

    @Override
    public String testException() {
        if(在字典表中的應該有的數據==null){
            throw new BusinessException(BusinessExCode.DATABASE_NOT_FOUND);
        }
    }

測試結果:

{
    "state": false,
    "code": "-1",
    "data": "000001:未在數據庫中找到指定數據",
    "timestamp": 1640161941876
}

如何實現統一返回值

這個主要要跟前端商量好,以便他們做統一處理。

寫一個統一返回的模板類

@Data
public class RestResult {
    private boolean state;
    private String code;
    private Object data;
    private long timestamp;
}

再寫一個便捷使用這個模板的類

public abstract class ResponseHelper {
    public static ResponseEntity<RestResult> successful() {
        return successful((Object) null);
    }

    public static ResponseEntity<RestResult> successful(Object data) {
        RestResult result = new RestResult();
        result.setState(true);
        result.setData(data);
        result.setTimestamp(System.currentTimeMillis());
        return new ResponseEntity(result, HttpStatus.OK);
    }

    public static ResponseEntity<RestResult> failed(String code, String message, HttpStatus httpStatus) {
        RestResult result = new RestResult();
        result.setState(false);
        result.setCode(code);
        result.setData(message);
        result.setTimestamp(System.currentTimeMillis());
        return new ResponseEntity(result, httpStatus);
    }

    public static ResponseEntity<RestResult> failed(String message) {
        return failed("-1", message, HttpStatus.INTERNAL_SERVER_ERROR);
    }


    public static ResponseEntity<RestResult> failed(BusinessException ex) {
        return failed(ex, HttpStatus.INTERNAL_SERVER_ERROR);
    }
    public static ResponseEntity<RestResult> failed(BusinessException ex, HttpStatus httpStatus) {
        RestResult result = new RestResult();
        result.setState(false);
        if (ex.getExCode() != null) {
            result.setCode(ex.getExCode().getCode());
        }
        result.setData(ex.getMessage());
        result.setTimestamp(System.currentTimeMillis());
        return new ResponseEntity(result, httpStatus);
    }
}

使用:

    @PostMapping(value ="/test2")
    @ResponseBody
    public ResponseEntity testValidation2(@RequestBody ValidationTestVo validationTestVo){
        return ResponseHelper.successful();
    }
    @PostMapping(value ="/test3")
    @ResponseBody
    public ResponseEntity testValidation3(@RequestBody ValidationTestVo validationTestVo){
        return ResponseHelper.successful(validationTestVo);
    }
    @PostMapping(value ="/test4")
    @ResponseBody
    public ResponseEntity testValidation4(@RequestBody ValidationTestVo validationTestVo){
        return ResponseHelper.failed("訪問失敗");
    }


免責聲明!

本站轉載的文章為個人學習借鑒使用,本站對版權不負任何法律責任。如果侵犯了您的隱私權益,請聯系本站郵箱yoyou2525@163.com刪除。



 
粵ICP備18138465號   © 2018-2025 CODEPRJ.COM