我正在尝试根据我的 bean 上设置的约束来验证我的表单。我使用的 Spring-MVC 版本是 3.2.4。问题是默认的 Spring 验证器不会验证所有约束;只有那些是相同类型的。
我有以下控制器代码:
@Controller
@SessionAttributes()
public class FormSubmitController {
@RequestMapping(value = "/saveForm", method = RequestMethod.POST)
@ResponseBody
public ModelMap saveForm(@Valid @RequestBody Form form, HttpSession session) {
session.setAttribute("form", form);
ModelMap map = new ModelMap();
map.addAttribute("hasErrors", false);
return map;
}
}
和以下豆:
public class Form implements IForm, Serializable {
@NotNull(message = "Category should not be empty")
protected String category;
@NotNull(message = "Sub-Category should not be empty")
protected String subCategory;
@Size(min=0, message="Firstname should not be empty")
protected String firstName;
@Size(min=0, message="Lastname should not be empty")
protected String lastName;
@Pattern(regexp="^(0[1-9]|[12][0-9]|3[01])[- /.](0[1-9]|1[012])[- /.](19|20)\\d\\d$", message="Date of birth should be in dd-mm-jjjj format")
protected String dateOfBirth;
//getters and setters
}
MethodArgumentNotValidException 的处理程序如下所示:
@ControllerAdvice
public class FormExceptionController {
@ExceptionHandler(MethodArgumentNotValidException.class)
@ResponseStatus(HttpStatus.BAD_REQUEST)
@ResponseBody
public ModelMap handleMethodArgumentNotValidException(MethodArgumentNotValidException error) {
List<FieldError> errors = error.getBindingResult().getFieldErrors();
ModelMap map = new ModelMap();
ModelMap errorMap = new ModelMap();
map.addAttribute("hasErrors", true);
for (FieldError fieldError : errors) {
errorMap.addAttribute(fieldError.getField(), fieldError.getDefaultMessage());
}
map.addAttribute("bindingErrors", errorMap);
return map;
}
}
因此,空表单会导致前两条错误消息。表单填充的前两个属性导致第三和第四个错误消息。
只有当我对我的 bean 上的所有属性使用相同的约束类型(即 NotNull)时,它才会返回所有错误消息。
这里有什么问题?