InterviewSolution
Saved Bookmarks
| 1. |
How is the form data validation done in Spring Web MVC Framework? |
|
Answer» Spring MVC does the task of data validation using the validator object which implements the Validator interface. In the custom validator class that we have created, we can use the utility methods of the ValidationUtils class like rejectIfEmptyOrWhitespace() or rejectIfEmpty() to perform validation of the form FIELDS. @Componentpublic class UserValidator implements Validator{ public boolean SUPPORTS(Class clazz) { return UserVO.class.isAssignableFrom(clazz); } public void validate(Object target, Errors errors) { ValidationUtils.rejectIfEmptyOrWhitespace(errors, "name", "error.name", "Name is required."); ValidationUtils.rejectIfEmptyOrWhitespace(errors, "age", "error.age", "Age is required."); ValidationUtils.rejectIfEmptyOrWhitespace(errors, "phone", "error.phone", "Phone is required."); }}In the fields that are subject to validation, in case of errors, the validator methods would create field error and bind that to the field. To activate the custom validator as spring bean, then:
OR The validator class can be registered in the context file directly as a bean as shown: <bean id="userValidator" class="com.interviewbit.validators.UserValidator" /> |
|