首页>>后端>>SpringBoot->Spring Boot进行优雅的字段校验正确使用姿势!

Spring Boot进行优雅的字段校验正确使用姿势!

时间:2023-11-30 本站 点击:0

前段时间提交代码审核,同事提了一个代码规范缺陷:参数校验应该放在controller层。到底应该如何做参数校验呢?

Controller层 VS Service层

去网上查阅了一些资料,一般推荐与业务无关的放在Controller层中进行校验,而与业务有关的放在Service层中进行校验。

那么如何将参数校验写的优雅美观呢,如果都是if - else,就感觉代码写的很low,还好有轮子可以使用。

常用校验工具类

使用Hibernate Validate

引入依赖

<dependency><groupId>org.hibernate</groupId><artifactId>hibernate-validator</artifactId><version>4.3.1.Final</version></dependency>

常用注解说明

使用姿势

Spring Boot 基础就不介绍了,推荐下这个实战教程: https://www.javastack.cn/categories/Spring-Boot/

需要搭配在Controller中搭配@Validated或@Valid注解一起使用,@Validated和@Valid注解区别不是很大,一般情况下任选一个即可,区别如下:

虽然@Validated比@Valid更加强大,在@Valid之上提供了分组功能和验证排序功能,不过在实际项目中一直没有用到过

Hibernate-validate框架中的注解是需要加在实体中一起使用的

定义一个实体

publicclassDataSetSaveVO{//唯一标识符为空@NotBlank(message="useruuidisempty")//用户名称只能是字母和数字@Pattern(regexp="^[a-z0-9]+$",message="usernamescanonlybealphabeticandnumeric")@Length(max=48,message="useruuidlengthover48byte")privateStringuserUuid;//数据集名称只能是字母和数字@Pattern(regexp="^[A-Za-z0-9]+$",message="datasetnamescanonlybelettersandNumbers")//文件名称过长@Length(max=48,message="filenametoolong")//文件名称为空@NotBlank(message="filenameisempty")privateStringname;//数据集描述最多为256字节@Length(max=256,message="datasetdescriptionlengthover256byte")//数据集描述为空@NotBlank(message="datasetdescriptionisnull")privateStringdescription;}

说明:message字段为不符合校验规则时抛出的异常信息

Controller层中的方法

@PostMappingpublicResponseVOcreateDataSet(@Valid@RequestBodyDataSetSaveVOdataSetVO){returnResponseUtil.success(dataSetService.saveDataSet(dataSetVO));}

说明:在校验的实体DataSetSaveVO旁边添加@Valid或@Validated注解

使用commons-lang3

引入依赖

<dependency><groupId>org.apache.commons</groupId><artifactId>commons-lang3</artifactId><version>3.4</version></dependency>

常用方法说明

测试代码

//StringUtils.isEmptySystem.out.println(StringUtils.isEmpty(""));//trueSystem.out.println(StringUtils.isEmpty(""));//false//StringUtils.isNotEmptySystem.out.println(StringUtils.isNotEmpty(""));//false//StringUtils.isBlankSystem.out.println(StringUtils.isBlank(""));//trueSystem.out.println(StringUtils.isBlank(""));//true//StringUtils.isNotBlankSystem.out.println(StringUtils.isNotBlank(""));//falseList<Integer>emptyList=newArrayList<>();List<Integer>nullList=null;List<Integer>notEmptyList=newArrayList<>();notEmptyList.add(1);//CollectionUtils.isEmptySystem.out.println(CollectionUtils.isEmpty(emptyList));//trueSystem.out.println(CollectionUtils.isEmpty(nullList));//trueSystem.out.println(CollectionUtils.isEmpty(notEmptyList));//false//CollectionUtils.isNotEmptySystem.out.println(CollectionUtils.isNotEmpty(emptyList));//falseSystem.out.println(CollectionUtils.isNotEmpty(nullList));//falseSystem.out.println(CollectionUtils.isNotEmpty(notEmptyList));//true

自定义注解

当上面的方面都无法满足校验的需求以后,可以考虑使用自定义注解。

原文链接:juejin.cn/post/6913735652806754311


本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。
如若转载,请注明出处:/SpringBoot/4356.html