你好,我是田哥
在这微服务架构盛行的黄金时段,加上越来越多的前后端分离,导致后端API接口规范变得越来越重要了。
好比:统一返回参数形式、统一返回码、统一非常处理、集成swagger等。
目的重要是规范后端项目代码,以及便于前端沟通联通以及题目的排查。
本文内容:
统一返回参数形式
目前主流的返回参数形式:
- {
- "code": 200000,
- "message": "成功",
- "data": {
- "id": 1,
- "userName": "tiange",
- "password": "123456",
- "phone": "18257160375",
- "gender": 0,
- "status": 0,
- "createTime": "2024-05-17 20:24:40"
- }
- }
复制代码 code是接口返回编码,message是消息提示,data是详细返回数据内容。
返回码
返回码界说很重要,我们应该可以参考HTTP请求返回的状态码(下面是常见的HTTP状态码):
- 200 - 请求成功
- 301 - 资源(网页等)被永久转移到其它URL
- 404 - 请求的资源(网页等)不存在
- 500 - 内部服务器错误
复制代码 如许前端开辟人员在得到返回值后,根据状态码就可以知道,大概什么错误,再根据message相关的信息形貌,可以快速定位。
由于我们业务体系中可能会又大量的code,以是,我们对此做一个改良。
- /**
- * {@code @description:} 返回码
- *
- * @author tianwc 公众号:Java后端技术全栈
- * 在线刷题 1200+java面试题和1000+篇技术文章:<a href="https://woaijava.cc/">博客地址</a>
- * {@code @date:} 2024-07-28 15:10
- * {@code @version:} 1.0
- */
- @Getter
- public enum ResultCode implements Serializable {
- SUCCESS(200000, "成功"),
- FAIL(500000, "系统错误,请稍后重试!"),
- USER_NOT_EXIST(401000, "用户不存在"),
- USER_CANCELLED(401001, "用户已注销"),
- USER_ROLE_ERROR(401002, "用户角色不对"),
- NOT_FOUND(404000, "接口不存在"),
- PARAMETER_ERROR(404001, "参数有误"),
- PARAMETER_IS_NULL(404002, "参数为空");
- private final int code;
- private final String message;
- ResultCode(int code, String message) {
- this.code = code;
- this.message = message;
- }
- }
复制代码 对此,我们还可以进一步细分,好比402开头的是用户相关的 、403开头又是xxx的,.....
如许后期如果又什么题目,如许就能快速定位到详细模块中。
统一返回
我们可以专门写一个类来对返回数据进行包装。
- /**
- * {@code @description:} 返回结果马甲
- *
- * @author tianwc 公众号:Java后端技术全栈
- * 在线刷题 1200+java面试题和1000+篇技术文章:<a href="https://woaijava.cc/">博客地址</a>
- * {@code @date:} 2024-07-28 15:12
- * {@code @version:} 1.0
- */
- @Data
- public class Result implements Serializable {
- private Integer code;
- private String message;
- private Object data;
- public Result(Integer code, String message, Object data) {
- this.code = code;
- this.message = message;
- this.data = data;
- }
- public static Result success() {
- return new Result(ResultCode.SUCCESS.getCode(), ResultCode.SUCCESS.getMessage(), null);
- }
- public static Result success(Object data) {
- return new Result(ResultCode.SUCCESS.getCode(), ResultCode.SUCCESS.getMessage(), data);
- }
- public static Result fail(ResultCode resultCode) {
- return new Result(resultCode.getCode(), resultCode.getMessage(), null);
- }
- public static Result fail(int code, String message) {
- return new Result(code, message, null);
- }
- }
复制代码 我们界说了常用的四种格式。
详细使用如下:
我们在Service层和实现层:
- public interface UserInfoService extends IService<UserInfo> {
- Result findByCondition(UserInfoReqDto userInfoReqDto);
- }
复制代码- @Service
- public class UserInfoServiceImpl extends ServiceImpl<UserInfoMapper, UserInfo> implements UserInfoService {
- @Override
- public Result findByCondition(UserInfoReqDto userInfoReqDto) {
- Wrapper<UserInfo> wrapper = Wrappers.<UserInfo>lambdaQuery()
- .eq(UserInfo::getUserName, userInfoReqDto.getUserName())
- .eq(UserInfo::getPassword, userInfoReqDto.getPassword());
-
- return Result.success(this.baseMapper.selectList(wrapper));
- }
- }
复制代码 在controller层:我们会在controller层处理业务请求,并返回给前端 。
- @RestController
- @RequestMapping("/user/info")
- public class UserInfoController {
- @Resource
- private UserInfoService userInfoService;
- @GetMapping("/condition")
- public Result findByCondition(UserInfoReqDto userInfoReqDto) {
- return userInfoService.findByCondition(userInfoReqDto);
- }
- }
复制代码 执行:
- GET http://localhost:8089/user/info/condition?userName=tiange&password=123456
复制代码 返回:
- {
- "code": 200000,
- "message": "成功",
- "data": [
- {
- "id": 1,
- "userName": "tiange",
- "password": "123456",
- "phone": "18257160375",
- "gender": 0,
- "status": 0,
- "createTime": "2024-05-17T20:24:40.000+00:00"
- }
- ]
- }
复制代码 前端根据我们但会的code判定是否需要取data字段。
统一非常处理
统一非常处理我们分业务非常、体系非常以及参数非常:
业务非常
我们自界说一个业务非常:BusinessException
- /**
- * @author tianwc 公众号:java后端技术全栈、面试专栏
- * @version 1.0.0
- * @date 2024-07-28 15:12
- * 在线刷题 1200+java面试题和1000+篇技术文章:<a href="https://woaijava.cc/">博客地址</a>
- * <p>
- * 自定义业务异常
- */
- @Getter
- public class BusinessException extends RuntimeException {
- /**
- * http状态码
- */
- private Integer code;
- private Object object;
- public BusinessException(String message, Integer code, Object object) {
- super(message);
- this.code = code;
- this.object = object;
- }
- public BusinessException(String message, Integer code) {
- super(message);
- this.code = code;
- }
- public BusinessException(ResultCode resultCode) {
- super(resultCode.getMessage());
- this.code = resultCode.getCode();
- this.object = resultCode.getMessage();
- }
- public BusinessException(ResultCode resultCode, String message) {
- this.code = resultCode.getCode();
- this.object = message;
- }
- public BusinessException(String message) {
- super(message);
- }
- }
复制代码 非常处理:GlobalAdvice
- @RestControllerAdvice
- @Slf4j
- public class GlobalAdvice {
- @ExceptionHandler(Exception.class)
- public Result doException(Exception e) {
- log.error("统一异常处理机制,触发异常 msg ", e);
- String message = null;
- int errorCode = ResultCode.FAIL.getCode();
- //自定义异常
- if (e instanceof BusinessException) {
- BusinessException exception = (BusinessException) e;
- message = exception.getMessage();
- errorCode = exception.getCode();
- } else if (e instanceof HttpRequestMethodNotSupportedException) {
- message = "不支持GET/POST方法";
- } else if (e instanceof NoHandlerFoundException) {
- message = "请求接口不存在";
- } else if (e instanceof MissingServletRequestParameterException) {
- errorCode = ResultCode.PARAMETER_IS_NULL.getCode();
- message = String.format("缺少必要参数[%s]", ((MissingServletRequestParameterException) e).getParameterName());
- } else if (e instanceof MethodArgumentNotValidException) {
- BindingResult result = ((MethodArgumentNotValidException) e).getBindingResult();
- FieldError error = result.getFieldError();
- errorCode = ResultCode.PARAMETER_IS_NULL.getCode();
- message = error == null ? ResultCode.PARAMETER_ERROR.getMessage() : error.getDefaultMessage();
- } else if (e instanceof BindException) {
- errorCode = ResultCode.PARAMETER_IS_NULL.getCode();
- message = ((BindException) e).getFieldError().getDefaultMessage();
- } else if (e instanceof IllegalArgumentException) {
- errorCode = ResultCode.PARAMETER_IS_NULL.getCode();
- message = e.getMessage();
- }
- return Result.fail(errorCode, message);
- }
- }
复制代码 使用:
- @Service
- public class UserInfoServiceImpl extends ServiceImpl<UserInfoMapper, UserInfo> implements UserInfoService {
- @Override
- public Result findByCondition(UserInfoReqDto userInfoReqDto) {
- if("admin".equals(userInfoReqDto.getUserName())){
- //对于某些业务问题抛出自定义异常
- throw new BusinessException(ResultCode.USER_ROLE_ERROR);
- }
- Wrapper<UserInfo> wrapper = Wrappers.<UserInfo>lambdaQuery()
- .eq(UserInfo::getUserName, userInfoReqDto.getUserName())
- .eq(UserInfo::getPassword, userInfoReqDto.getPassword());
- return Result.success(this.baseMapper.selectList(wrapper));
- }
- }
复制代码 体系非常
假设体系非常:
- @Service
- public class UserInfoServiceImpl extends ServiceImpl<UserInfoMapper, UserInfo> implements UserInfoService {
- @Override
- public Result findByCondition(UserInfoReqDto userInfoReqDto) {
- if("123456".equals(userInfoReqDto.getPassword())){
- throw new RuntimeException("你的系统异常了");
- }
- Wrapper<UserInfo> wrapper = Wrappers.<UserInfo>lambdaQuery()
- .eq(UserInfo::getUserName, userInfoReqDto.getUserName())
- .eq(UserInfo::getPassword, userInfoReqDto.getPassword());
- return Result.success(this.baseMapper.selectList(wrapper));
- }
- }
复制代码 执行:
- GET http://localhost:8089/user/info/condition?userName=tian&password=123456
复制代码 返回结果:
- {
- "code": 500000,
- "message": "系统异常",
- "data": null
- }
复制代码 参数校验
添加pom依赖
- <!--参数验证-->
- <dependency>
- <groupId>org.springframework.boot</groupId>
- <artifactId>spring-boot-starter-validation</artifactId>
- </dependency>
复制代码 请求参数:
- @Data
- @AllArgsConstructor
- @NoArgsConstructor
- public class UserInfoReqDto {
- @NotBlank(message = "姓名不能为空")
- private String userName;
- @NotBlank(message = "密码不能为空")
- private String password;
- }
复制代码 其他相关注解:
注解作用@NotNull判定包装类是否为null@NotBlank判定字符串是否为null大概是空串(去掉首尾空格)@NotEmpty判定聚集是否为空@Length判定字符的长度(最大大概最小)@Min判定命值最小值@Max判定命值最大值@Email判定邮箱是否正当 controller层添加注解@Validated
- @RestController
- @RequestMapping("/user/info")
- public class UserInfoController {
- @Resource
- private UserInfoService userInfoService;
- @GetMapping("/condition")
- public Result findByCondition(@Validated UserInfoReqDto userInfoReqDto) {
- return userInfoService.findByCondition(userInfoReqDto);
- }
- }
复制代码 末了在统一非常处理里处理。
执行:
- GET http://localhost:8089/user/info/condition?userName=tian
复制代码 返回:
- {
- "code": 404002,
- "message": "密码不能为空",
- "data": null
- }
复制代码 执行:
- GET http://localhost:8089/user/info/condition?password=123456
复制代码 返回:
- {
- "code": 404002,
- "message": "姓名不能为空",
- "data": null
- }
复制代码 集成mybatis-plus
添加依赖
- <!--mybatis-plus 依赖-->
- <dependency>
- <groupId>com.baomidou</groupId>
- <artifactId>mybatis-plus-boot-starter</artifactId>
- <version>${mybatis-plus.version}</version>
- </dependency>
- <!--mysql依赖-->
- <dependency>
- <groupId>mysql</groupId>
- <artifactId>mysql-connector-java</artifactId>
- <scope>runtime</scope>
- </dependency>
复制代码 数据库信息设置:
- spring.datasource.driver-class-name=com.mysql.cj.jdbc.Driver
- spring.datasource.jdbc-url=jdbc:mysql://localhost:3306/user-center?useSSL=false&serverTimezone=UTC&useUnicode=true&characterEncoding=utf-8&allowPublicKeyRetrieval=true
- spring.datasource.username=root
- spring.datasource.password=123456
复制代码 mybatis-plus设置:
- @Configuration
- @MapperScan(basePackages = "com.tian.dao.mapper")
- public class DataSourceConfig {
- @ConfigurationProperties(prefix = "spring.datasource")
- @Bean
- public DataSource dataSource() {
- return DataSourceBuilder.create().build();
- }
- @Bean
- public MybatisPlusInterceptor mybatisPlusInterceptor() {
- MybatisPlusInterceptor interceptor = new MybatisPlusInterceptor();
- //分页插件
- interceptor.addInnerInterceptor(new PaginationInnerInterceptor());
- //注册乐观锁插件
- interceptor.addInnerInterceptor(new OptimisticLockerInnerInterceptor());
- return interceptor;
- }
- @Bean
- public SqlSessionFactory sqlSessionFactory(DataSource dataSource, MybatisPlusInterceptor interceptor) throws Exception {
- MybatisSqlSessionFactoryBean ssfb = new MybatisSqlSessionFactoryBean();
- ssfb.setDataSource(dataSource);
- ssfb.setPlugins(interceptor);
- //到哪里找xml文件
- ssfb.setMapperLocations(new PathMatchingResourcePatternResolver()
- .getResources("classpath*:mapper/*.xml"));
- return ssfb.getObject();
- }
- }
复制代码 实体类:
- @TableName(value = "user_info")
- @Data
- public class UserInfo {
- /**
- * 主键ID
- */
- @TableId(value = "id")
- private Long id;
- /**
- * 姓名
- */
- @TableField(value = "user_name")
- private String userName;
- /**
- * 密码
- */
- @TableField(value = "password")
- private String password;
- /**
- * 手机号
- */
- @TableField(value = "phone")
- private String phone;
- /**
- * 性别,0:女,1:男
- */
- @TableField(value = "gender")
- private Integer gender;
- /**
- * 状态,0:正常,1:已注销
- */
- @TableField(value = "status")
- private Integer status;
- /**
- * 注册时间
- */
- @TableField(value = "create_time")
- private Date createTime;
- @TableField(exist = false)
- private static final long serialVersionUID = 1L;
- }
复制代码 mapper:
- public interface UserInfoMapper extends BaseMapper<UserInfo> {
- }
复制代码 service部门代码参照前面的代码来。
执行
- GET http://localhost:8089/user/info/condition?userName=tiange&password=123456
复制代码 返回
- {
- "code": 200000,
- "message": "成功",
- "data": [
- {
- "id": 1,
- "userName": "tiange",
- "password": "123456",
- "phone": "18257160375",
- "gender": 0,
- "status": 0,
- "createTime": "2024-05-17T20:24:40.000+00:00"
- }
- ]
- }
复制代码 到这里我们的项目就成功把mybatis-plus集成进来。
swagger
作为前后端分离项目,在团队开辟中,一个好的 API 文档不但可以淘汰大量的沟通本钱,还可以帮助一位新人快速上手业务。传统的做法是由开辟人员创建一份 RESTful API文档来记载所有的接口细节,并在步调员之间代代相传。这种做法存在以下几个题目:
1)API 接口众多,细节复杂,需要考虑不同的HTTP请求类型、HTTP头部信息、HTTP请求内容等,想要高质量的完成这份文档需要耗费大量的精力;
2)难以维护。随着需求的变更和项目的优化、推进,接口的细节在不断地演变,接口形貌文档也需要同步修订,可是文档和代码处于两个不同的前言,除非有严酷的管理机制,否则很容易出现文档、接口不同等的情况;
Swagger2 的出现就是为了从根本上解决上述题目。它作为一个规范和完整的框架,可以用于生成、形貌、调用和可视化 RESTful 风格的 Web 服务:
- 接口文档在线自动生成,文档随接口变动实时更新,节省维护本钱;
- 支持在线接口测试,不依赖第三方工具;
Swagger2 是一个规范和完整的框架,用于生成、形貌、调用和可视化Restful风格的web服务,现在我们使用spring boot 整合它。作用:
常用注解
注解形貌@Api将类标记为 Swagger 资源。@ApiImplicitParam表示 API 操作中的单个参数。@ApiImplicitParams允许多个 ApiImplicitParam 对象列表的包装器。@ApiModel提供有关 Swagger 模型的其他信息。@ApiModelProperty添加和操作模型属性的数据。@ApiOperation形貌针对特定路径的操作或通常是 HTTP 方法。@ApiParam为操作参数添加额外的元数据。@ApiResponse形貌操作的可能响应。@ApiResponses允许多个 ApiResponse 对象列表的包装器。@Authorization声明要在资源或操作上使用的授权方案。@AuthorizationScope形貌 OAuth2 授权范围。 swagger设置
- @Configuration //加入到容器里面
- @EnableSwagger2 //开启Swagger
- public class SwaggerConfig {
- @Bean
- public Docket docket() {
- return new Docket(DocumentationType.SWAGGER_2)
- .apiInfo(apiInfo())
- .select()
- .apis(RequestHandlerSelectors.basePackage("com.tian.controller"))
- .build();
- }
- private ApiInfo apiInfo(){
- Contact contact = new Contact("web项目demo", "https://www.woaijava.cc/", "251965157@qq.com");
- return new ApiInfo(
- "web项目demo的API文档",
- "练手所用",
- "v1.0",
- "https://www.woaijava.cc/",
- contact,
- "Apache 2.0",
- "http://www.apache.org/licenses/LICENSE-2.0",
- new ArrayList());
- }
- }
复制代码 我们就可以在对应业务代码中标注上swagger:
- @RestController
- @RequestMapping("/user/info")
- @Api(value = "用户信息接口",tags = "用户信息")
- public class UserInfoController {
- @Resource
- private UserInfoService userInfoService;
- @GetMapping("/{id}")
- @ApiOperation(value = "根据id查询用户信息", notes = "根据id查询用户信息"
- ,produces = "application/json",consumes = "application/json")
- @ApiImplicitParams({
- @ApiImplicitParam(name="id",value="用户id",required = true,dataType = "Integer")
- })
- public Result findById(@PathVariable("id") Integer id) {
- return Result.success(userInfoService.getById(id));
- }
- @GetMapping("/condition")
- @ApiOperation(value = "根据条件查询用户信息")
- public Result findByCondition(@Validated UserInfoReqDto userInfoReqDto) {
- return userInfoService.findByCondition(userInfoReqDto);
- }
- }
复制代码- @Data
- @AllArgsConstructor
- @NoArgsConstructor
- @ApiModel(value="用户信息查询条件")
- public class UserInfoReqDto {
- @NotBlank(message = "姓名不能为空")
- @ApiModelProperty(value="姓名")
- private String userName;
- @NotBlank(message = "密码不能为空")
- @ApiModelProperty(value="密码")
- private String password;
- }
复制代码 结果
启动项目,访问:
- http://localhost:8089/swagger-ui.html
复制代码
也到这里,我们就根本形成了一个完整的demo级后端项目。
代码已上传到知识星球:
其他推荐
2024年最新口试总结,请查收!
充电桩项目如何部署?
应届生不会写简历?手把手教你怎么写简历
背八股文,不妨实行这招!
免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。 |