阅读本文大概需要 8 分钟。
很痛苦遇到大量的参数进行校验,在业务中还要抛出异常或者不断的返回异常时的校验信息,在代码中相当冗长,充满了if-else这种校验代码,今天我们就来学习spring的javax.validation 注解式参数校验。
为什么要用validator
1.javax.validation的一系列注解可以帮我们完成参数校验,免去繁琐的串行校验
不然我们的代码就像下面这样:
// http://localhost:8080/api/user/save/serial
/**
* 走串行校验
*
* @param userVO
* @return
*/
@PostMapping(“/save/serial”)
public Object save(@RequestBody UserVO userVO) {
String mobile = userVO.getMobile();
//手动逐个 参数校验~ 写法
if (StringUtils.isBlank(mobile)) {
return RspDTO.paramFail(“mobile:手机号码不能为空”);
} else if (!Pattern.matches(“^[1][3,4,5,6,7,8,9][0-9]{9}$”, mobile)) {
return RspDTO.paramFail(“mobile:手机号码格式不对”);
}
//抛出自定义异常等~写法
if (StringUtils.isBlank(userVO.getUsername())) {
throw new BizException(Constant.PARAM_FAIL_CODE, “用户名不能为空”);
}
// 比如写一个map返回
if (StringUtils.isBlank(userVO.getSex())) {
Map<String, Object> result = new HashMap<>(5);
result.put(“code”, Constant.PARAM_FAIL_CODE);
result.put(“msg”, “性别不能为空”);
return result;
}
//………各种写法 …
userService.save(userVO);
return RspDTO.success();
}
这被大佬看见,一定说,都9102了还这么写,然后被劝退了…..
2.什么是javax.validation
JSR303 是一套JavaBean参数校验的标准,它定义了很多常用的校验注解,我们可以直接将这些注解加在我们JavaBean的属性上面(面向注解编程的时代),就可以在需要校验的时候进行校验了,在SpringBoot中已经包含在starter-web中,再其他项目中可以引用依赖,并自行调整版本:
<!–jsr 303–>
<dependency>
<groupId>javax.validation</groupId>
<artifactId>validation-api</artifactId>
<version>1.1.0.Final</version>
</dependency>
<!– hibernate validator–>
<dependency>
<groupId>org.hibernate</groupId>
<artifactId>hibernate-validator</artifactId>
<version>5.2.0.Final</version>
</dependency>
3.注解说明
@NotNull:不能为null,但可以为empty(“”,” “,” “) @NotEmpty:不能为null,而且长度必须大于0 (” “,” “) @NotBlank:只能作用在String上,不能为null,而且调用trim()后,长度必须大于0(“test”) 即:必须有实际字符
实战演练
https://github.com/leaJone/mybot
1. @Validated 声明要检查的参数
* 走参数校验注解
*
* @param userDTO
* @return
*/
@PostMapping(“/save/valid”)
public RspDTO save(@RequestBody @Validated UserDTO userDTO) {
userService.save(userDTO);
return RspDTO.success();
}
2. 对参数的字段进行注解标注
import org.hibernate.validator.constraints.Length;
import javax.validation.constraints.*;
import java.io.Serializable;
import java.util.Date;
/**
* @author LiJing
* @ClassName: UserDTO
* @Description: 用户传输对象
* @date 2019/7/30 13:55
*/
@Data
public class UserDTO implements Serializable {
private static final long serialVersionUID = 1L;
/*** 用户ID*/
@NotNull(message = “用户id不能为空”)
private Long userId;
/** 用户名*/
@NotBlank(message = “用户名不能为空”)
@Length(max = 20, message = “用户名不能超过20个字符”)
@Pattern(regexp = “^[\u4E00-\u9FA5A-Za-z0-9\*]*$”, message = “用户昵称限制:最多20字符,包含文字、字母和数字”)
private String username;
/** 手机号*/
@NotBlank(message = “手机号不能为空”)
@Pattern(regexp = “^[1][3,4,5,6,7,8,9][0-9]{9}$”, message = “手机号格式有误”)
private String mobile;
/**性别*/
private String sex;
/** 邮箱*/
@NotBlank(message = “联系邮箱不能为空”)
@Email(message = “邮箱格式不对”)
private String email;
/** 密码*/
private String password;
/*** 创建时间 */
@Future(message = “时间必须是将来时间”)
private Date createTime;
}
3. 在全局校验中增加校验异常
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.dao.DuplicateKeyException;
import org.springframework.web.bind.MethodArgumentNotValidException;
import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.annotation.RestControllerAdvice;
import org.springframework.web.servlet.NoHandlerFoundException;
import javax.validation.ConstraintViolationException;
import javax.validation.ValidationException;
/**
* @author LiJing
* @ClassName: GlobalExceptionHandler
* @Description: 全局异常处理器
* @date 2019/7/30 13:57
*/
@RestControllerAdvice
public class GlobalExceptionHandler {
private Logger logger = LoggerFactory.getLogger(getClass());
private static int DUPLICATE_KEY_CODE = 1001;
private static int PARAM_FAIL_CODE = 1002;
private static int VALIDATION_CODE = 1003;
/**
* 处理自定义异常
*/
@ExceptionHandler(BizException.class)
public RspDTO handleRRException(BizException e) {
logger.error(e.getMessage(), e);
return new RspDTO(e.getCode(), e.getMessage());
}
/**
* 方法参数校验
*/
@ExceptionHandler(MethodArgumentNotValidException.class)
public RspDTO handleMethodArgumentNotValidException(MethodArgumentNotValidException e) {
logger.error(e.getMessage(), e);
return new RspDTO(PARAM_FAIL_CODE, e.getBindingResult().getFieldError().getDefaultMessage());
}
/**
* ValidationException
*/
@ExceptionHandler(ValidationException.class)
public RspDTO handleValidationException(ValidationException e) {
logger.error(e.getMessage(), e);
return new RspDTO(VALIDATION_CODE, e.getCause().getMessage());
}
/**
* ConstraintViolationException
*/
@ExceptionHandler(ConstraintViolationException.class)
public RspDTO handleConstraintViolationException(ConstraintViolationException e) {
logger.error(e.getMessage(), e);
return new RspDTO(PARAM_FAIL_CODE, e.getMessage());
}
@ExceptionHandler(NoHandlerFoundException.class)
public RspDTO handlerNoFoundException(Exception e) {
logger.error(e.getMessage(), e);
return new RspDTO(404, “路径不存在,请检查路径是否正确”);
}
@ExceptionHandler(DuplicateKeyException.class)
public RspDTO handleDuplicateKeyException(DuplicateKeyException e) {
logger.error(e.getMessage(), e);
return new RspDTO(DUPLICATE_KEY_CODE, “数据重复,请检查后提交”);
}
@ExceptionHandler(Exception.class)
public RspDTO handleException(Exception e) {
logger.error(e.getMessage(), e);
return new RspDTO(500, “系统繁忙,请稍后再试”);
}
}
4. 测试
自定义参数注解
1. 比如我们来个 自定义身份证校验 注解
@Target({ElementType.PARAMETER, ElementType.FIELD})
@Retention(RetentionPolicy.RUNTIME)
@Constraint(validatedBy = IdentityCardNumberValidator.class)
public @interface IdentityCardNumber {
String message() default “身份证号码不合法”;
Class<?>[] groups() default {};
Class<? extends Payload>[] payload() default {};
}
message 定制化的提示信息,主要是从ValidationMessages.properties里提取,也可以依据实际情况进行定制 groups 这里主要进行将validator进行分类,不同的类group中会执行不同的validator操作 payload 主要是针对bean的,使用不多。
2. 然后自定义Validator
@Override
public void initialize(IdentityCardNumber identityCardNumber) {
}
@Override
public boolean isValid(Object o, ConstraintValidatorContext constraintValidatorContext) {
return IdCardValidatorUtils.isValidate18Idcard(o.toString());
}
}
3. 使用自定义的注解
@IdentityCardNumber(message = “身份证信息有误,请核对后提交”)
private String clientCardNo;
4.使用groups的校验
public interface Create extends Default {
}
import javax.validation.groups.Default;
public interface Update extends Default{
}
* 走参数校验注解的 groups 组合校验
*
* @param userDTO
* @return
*/
@PostMapping(“/update/groups”)
public RspDTO update(@RequestBody @Validated(Update.class) UserDTO userDTO) {
userService.updateById(userDTO);
return RspDTO.success();
}
public class UserDTO implements Serializable {
private static final long serialVersionUID = 1L;
/*** 用户ID*/
@NotNull(message = “用户id不能为空”, groups = Update.class)
private Long userId;
/**
* 用户名
*/
@NotBlank(message = “用户名不能为空”)
@Length(max = 20, message = “用户名不能超过20个字符”, groups = {Create.class, Update.class})
@Pattern(regexp = “^[\u4E00-\u9FA5A-Za-z0-9\*]*$”, message = “用户昵称限制:最多20字符,包含文字、字母和数字”)
private String username;
/**
* 手机号
*/
@NotBlank(message = “手机号不能为空”)
@Pattern(regexp = “^[1][3,4,5,6,7,8,9][0-9]{9}$”, message = “手机号格式有误”, groups = {Create.class, Update.class})
private String mobile;
/**
* 性别
*/
private String sex;
/**
* 邮箱
*/
@NotBlank(message = “联系邮箱不能为空”)
@Email(message = “邮箱格式不对”)
private String email;
/**
* 密码
*/
private String password;
/*** 创建时间 */
@Future(message = “时间必须是将来时间”, groups = {Create.class})
private Date createTime;
}
5.restful风格用法
public RspDTO getUser(@RequestParam(“userId”) @NotNull(message = “用户id不能为空”) Long userId) {
User user = userService.selectById(userId);
if (user == null) {
return new RspDTO<User>().nonAbsent(“用户不存在”);
}
return new RspDTO<User>().success(user);
}
@RequestMapping(“user/”)
@Validated
public class UserController extends AbstractController {
….圣洛代码…
总结
推荐阅读:
分布式数据库解决方案Apache ShardingSphere毕业成为顶级项目
微信扫描二维码,关注我的公众号
朕已阅
文章收集整理于网络,请勿商用,仅供个人学习使用,如有侵权,请联系作者删除,如若转载,请注明出处:http://www.cxyroad.com/1381.html