Java – how to use hibernate to validate annotations with enumerations?
•
Java
How do I use hibernate annotations to validate enumeration member fields?
enum UserRole { USER,ADMIN; } class User { @NotBlank //HV000030: No validator Could be found for type: UserRole. UserRole userRole; }
Solution
Note that you can also create a validator to check that the string is part of the enumeration
public enum UserType { PERSON,COMPANY } @NotNull @StringEnumeration(enumClass = UserCivility.class) private String title;
@Documented @Constraint(validatedBy = StringEnumerationValidator.class) @Target({ METHOD,FIELD,ANNOTATION_TYPE,PARAMETER,CONSTRUCTOR }) @Retention(RUNTIME) public @interface StringEnumeration { String message() default "{com.xxx.bean.validation.constraints.StringEnumeration.message}"; Class<?>[] groups() default {}; Class<? extends Payload>[] payload() default {}; Class<? extends Enum<?>> enumClass(); }
public class StringEnumerationValidator implements ConstraintValidator<StringEnumeration,String> { private Set<String> AVAILABLE_ENUM_NAMES; @Override public void initialize(StringEnumeration stringEnumeration) { Class<? extends Enum<?>> enumSelected = stringEnumeration.enumClass(); //Set<? extends Enum<?>> enumInstances = EnumSet.allOf(enumSelected); Set<? extends Enum<?>> enumInstances = Sets.newHashSet(enumSelected.getEnumConstants()); AVAILABLE_ENUM_NAMES = FluentIterable .from(enumInstances) .transform(PrimitiveGuavaFunctions.ENUM_TO_NAME) .toSet(); } @Override public boolean isValid(String value,ConstraintValidatorContext context) { if ( value == null ) { return true; } else { return AVAILABLE_ENUM_NAMES.contains(value); } } }
This is good because you won't loose the "wrong value" message You can get a message
edit
For those who want a non guava version, it should work like this:
public class StringEnumerationValidator implements ConstraintValidator<StringEnumeration,String> { private Set<String> AVAILABLE_ENUM_NAMES; public static Set<String> getNamesSet(Class<? extends Enum<?>> e) { Enum<?>[] enums = e.getEnumConstants(); String[] names = new String[enums.length]; for (int i = 0; i < enums.length; i++) { names[i] = enums[i].name(); } Set<String> mySet = new HashSet<String>(Arrays.asList(names)); return mySet; } @Override public void initialize(StringEnumeration stringEnumeration) { Class<? extends Enum<?>> enumSelected = stringEnumeration.enumClass(); AVAILABLE_ENUM_NAMES = getNamesSet(enumSelected); } @Override public boolean isValid(String value,ConstraintValidatorContext context) { if ( value == null ) { return true; } else { return AVAILABLE_ENUM_NAMES.contains(value); } } }
And customize the error message and display the appropriate value, please check: https://stackoverflow.com/a/19833921/82609
The content of this article comes from the network collection of netizens. It is used as a learning reference. The copyright belongs to the original author.
THE END
二维码