1

我需要验证一个字段 - secPhoneNumber(辅助电话号码)。我需要使用 JSR 验证满足以下条件

  • 该字段可以为空/null
  • 否则,数据的长度必须为 10。

我尝试了下面的代码。该字段始终在表单提交时得到验证。仅当字段不为空时,如何验证该字段的长度为 10?

弹簧形式:

<form:label path="secPhoneNumber">
Secondary phone number <form:errors path="secPhoneNumber" cssClass="error" />
</form:label>
<form:input path="secPhoneNumber" />

@Size(max=10,min=10)
    private String secPhoneNumber;
4

2 回答 2

2

我认为为了可读性和将来使用我会创建我的自定义验证类,你只应该按照以下步骤操作:

  1. 将新的自定义注释添加到您的字段

    @notEmptyMinSize(size=10)
    private String secPhoneNumber;
    
  2. 创建自定义验证类

    @Documented
    @Constraint(validatedBy = notEmptyMinSize.class)
    @Target( { ElementType.METHOD, ElementType.FIELD })
    @Retention(RetentionPolicy.RUNTIME)
    public @interface notEmptyMinSize {
    
    
        int size() default 10;
    
        Class<?>[] groups() default {};
    
        Class<? extends Payload>[] payload() default {};
    
    }
    
  3. 将您的业务逻辑添加到您的验证中

    public class NotEmptyConstraintValidator implements      ConstraintValidator<notEmptyMinSize, String> {
    
         private NotEmptyMinSize notEmptyMinSize;
    
         @Override
         public void initialize(notEmptyMinSize notEmptyMinSize) { 
             this.notEmptyMinSize = notEmptyMinSize
         }
    
         @Override
         public boolean isValid(String notEmptyField, ConstraintValidatorContext cxt) {
            if(notEmptyField == null) {
                 return true;
            }
            return notEmptyField.length() == notEmptyMinSize.size();
        }
    
    }
    

现在您可以在多个不同大小的字段中使用此验证。

这是另一个示例,您可以按照示例

于 2016-07-07T11:05:35.993 回答
1

以下模式有效

  1. @Pattern(regexp="^(\s*|[a-zA-Z0-9]{10})$")
  2. @Pattern(regexp="^(\s*|\d{10})$")

// ^             # Start of the line
// \s*           # A whitespace character, Zero or more times
// \d{10}        # A digit: [0-9], exactly 10 times
//[a-zA-Z0-9]{10}    # a-z,A-Z,0-9, exactly 10 times
// $             # End of the line

参考:仅在字段不为 Null 时验证

于 2016-07-07T03:01:41.870 回答