关于spring MVC中加载多个validator的方法。

时间:2021-12-22 12:04:52

首先讲下什么叫做validator:

validator是验证器,可以验证后台接受的数据,对数据做校验。

SpringMVC服务器验证有两种方式,一种是基于Validator接口,一种是使用Annotaion JSR-303标准的验证。

1.使用Annotaion JSR-303标准的验证

使用这个需要导入支持JSR-303标准的包,建议使用hibernate Validator这个包,先看这个标准的原生标注:

限制 说明
@Null 限制只能为null
@NotNull 限制必须不为null
@AssertFalse 限制必须为false
@AssertTrue 限制必须为true
@DecimalMax(value) 限制必须为一个不大于指定值的数字
@DecimalMin(value) 限制必须为一个不小于指定值的数字
@Digits(integer,fraction) 限制必须为一个小数,且整数部分的位数不能超过integer,小数部分的位数不能超过fraction
@Future 限制必须是一个将来的日期
@Max(value) 限制必须为一个不大于指定值的数字
@Min(value) 限制必须为一个不小于指定值的数字
@Past 限制必须是一个过去的日期
@Pattern(value) 限制必须符合指定的正则表达式
@Size(max,min) 限制字符长度必须在min到max之间
@Past 验证注解的元素值(日期类型)比当前时间早
@NotEmpty 验证注解的元素值不为null且不为空(字符串长度不为0、集合大小不为0)
@NotBlank 验证注解的元素值不为空(不为null、去除首位空格后长度为0),不同于@NotEmpty,@NotBlank只应用于字符串且在比较时会去除字符串的空格
@Email 验证注解的元素值是Email,也可以通过正则表达式和flag指定自定义的email格

要使用很简单,在需要验证的变量前面加上该Annotation即可,看下面使用后的User

 public class User {
@NotEmpty(message = "用户名不能为空")
private String username;
@Size(min=6 ,max= 20 ,message = "密码长度不符合标准")
private String password;
private String nickname; ......
}

然后再Controller里面的方法上对需要验证的对象或数据加入@Validated就可以了。

2。使用Validator接口

主要是去做Validator实体类,去实现Validator接口:

StudentValidator.java

public class StudentValidator implements Validator{  

    public boolean supports(Class<?> clazz) {
return Student.class.equals(clazz);
} public void validate(Object obj, Errors e) {
ValidationUtils.rejectIfEmpty(e, "name", "name.empty");
ValidationUtils.rejectIfEmpty(e, "gender", "null");
ValidationUtils.rejectIfEmpty(e, "age", "null");
Student s = (Student)obj;
if(s.getAge() < 18){
e.rejectValue("age","young");
}else if(s.getAge() > 50){
//e.reject("age", "old");
}
} }

TeacherValidator.java

public class TeacherValidator implements Validator{  

    public boolean supports(Class<?> clazz) {
return Teacher.class.equals(clazz);
} public void validate(Object obj, Errors e) {
ValidationUtils.rejectIfEmpty(e, "name", "name.empty");
ValidationUtils.rejectIfEmpty(e, "gender", "null");
ValidationUtils.rejectIfEmpty(e, "age", "null");
Teacher t= (Teacher)obj; } }

PeopleContorller.java

@Controller
public class UserController { @Autowired
private StudentValidator studentValidator;
@Autowired
private TeacherValidator teacherValidator; @RequestMapping(value="/saveStudent", method = RequestMethod.POST)
public void saveStudent(@Valid @RequestBody Student student){
.......
}
@RequestMapping(value="/saveTeacher", method = RequestMethod.POST)
public void saveStudent(@Valid @RequestBody Teacher teacher){
.......
} @InitBinder
public void initBinder(WebDataBinder binder) {
//这个方法加载验证器,判断请求过来的要验证的对象,加载相对于的验证器。此方法是根据请求加载的,即n次请求就加载n次该方法
if(studentValidator.supports(binder.getTarget().getClass())
&&!studentValidator.getClass().getName().contains("org.springframework")){
binder.addValidators(studentValidator);
}else{
binder.addValidators(teacherValidator);
}
}
}

ps:需要做判断才能实现多个验证器的存在。