我必须使用哪些注释来进行Hibernate验证,以验证要应用于以下内容的字符串:
//should always have trimmed length = 6, only digits, only positive number
@NotEmpty
@Size(min = 6, max = 6)
public String getNumber {
return number.trim();
}
如何应用数字验证?我会在这里使用@Digits(fraction = 0, integer = 6)
吗?
答案 0 :(得分:22)
您可以使用单个@Pattern(regexp="[\\d]{6}")
替换所有约束。这意味着一个长度为6的字符串,其中每个字符都是一个数字。
答案 1 :(得分:12)
您还可以创建自己的休眠验证注释
在下面的示例中,我创建了一个名为EnsureNumber
的验证注释。包含此注释的字段将使用isValid
类的EnsureNumberValidator
方法进行验证。
@Constraint(validatedBy = EnsureNumberValidator.class)
@Target({ ElementType.FIELD })
@Retention(RetentionPolicy.RUNTIME)
public @interface EnsureNumber {
String message() default "{PasswordMatch}";
Class<?>[] groups() default {};
Class<? extends Payload>[] payload() default {};
boolean decimal() default false;
}
public class EnsureNumberValidator implements ConstraintValidator<EnsureNumber, Object> {
private EnsureNumber ensureNumber;
@Override
public void initialize(EnsureNumber constraintAnnotation) {
this.ensureNumber = constraintAnnotation;
}
@Override
public boolean isValid(Object value, ConstraintValidatorContext context) {
// Check the state of the Adminstrator.
if (value == null) {
return false;
}
// Initialize it.
String regex = ensureNumber.decimal() ? "-?[0-9][0-9\\.\\,]*" : "-?[0-9]+";
String data = String.valueOf(value);
return data.matches(regex);
}
}
您可以像这样使用它,
@NotEmpty
@Size(min = 6, max = 6)
@EnsureNumber
private String number1;
@NotEmpty
@Size(min = 6, max = 6)
@EnsureNumber(message = "Field number2 is not valid.")
private String number2;
@NotEmpty
@Size(min = 6, max = 6)
@EnsureNumber(decimal = true, message = "Field number is not valid.")
private String number3;