Bootstrap

SpringBoot高级用法

SpringBoot中高级用法

生产项目中一般会有项目改进

1、我们一般不会在controller中捕获异常进行处理,一般通过全局异常处理器进行拦截处理

2、为了让响应的格式进行统一,一般会对响应结果进行统一包装。

3、为了能够快速定位问题,一般会结合日志打印框架让每次http请求都能够打印一个唯一标识方便问题定位

1、统一异常处理

定义异常枚举

public enum ResultCode {

    /**
     * 成功
     */
    SUCCESS(0, "success"),

    FAIL(501,"操作失败"),

    /**
     * 未知错误
     */
    UNKNOWN_ERROR(500, "unkonwn error"),

    /**
     * 用户名错误或不存在
     */
    USERNAME_ERROR(401, "username error or does not exist"),

    /**
     * 密码错误
     */
    PASSWORD_ERROR(402, "password error"),

    /**
     * 用户名不能为空
     */
    USERNAME_EMPTY(403, "username can not be empty");

    /**
     * 结果码
     */
    private int code;

    /**
     * 结果码描述
     */
    private String msg;


    ResultCode(int code, String msg) {
        this.code = code;
        this.msg = msg;
    }

    public int getCode() {
        return code;
    }

    public String getMsg() {
        return msg;
    }

}

定义业务异常

import cn.educate.boot.demo.enu.ResultCode;

/**
 * @author yinchong
 * @create 2021/4/25 16:24
 * @description 业务异常类
 */
public class BizRuntimeExcption extends RuntimeException {
    int code;
    String msg;

    public BizRuntimeExcption(ResultCode resultCode) {
        super(resultCode.getMsg());
        this.code = resultCode.getCode();
        this.msg = resultCode.getMsg();
    }

    public BizRuntimeExcption(int code, String msg) {
        super(msg);
        this.code = code;
        this.msg = msg;
    }

    public int getCode() {
        return code;
    }

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

    public String getMsg() {
        return msg;
    }

    public void setMsg(String msg) {
        this.msg = msg;
    }
}

添加全局异常处理器

import cn.educate.boot.demo.enu.ResultCode;
import cn.educate.boot.demo.model.dto.ResultDTO;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.web.bind.annotation.ControllerAdvice;
import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.
;