हाइबरनेट वैलिडेटर (JSR 303) के साथ क्रॉस फील्ड सत्यापन


236

क्या हाइबरनेट वैलिडेटर 4.x में क्रॉस फील्ड मान्यता का (या तृतीय-पक्ष कार्यान्वयन) है? यदि नहीं, तो एक क्रॉस फ़ील्ड सत्यापनकर्ता को लागू करने का सबसे साफ तरीका क्या है?

एक उदाहरण के रूप में, आप दो बीन संपत्तियों को मान्य करने के लिए एपीआई का उपयोग कैसे कर सकते हैं समान हैं (जैसे कि पासवर्ड फ़ील्ड को मान्य करने से पासवर्ड शिविर से मेल खाता है)।

एनोटेशन में, मैं कुछ इस तरह की उम्मीद करूंगा:

public class MyBean {
  @Size(min=6, max=50)
  private String pass;

  @Equals(property="pass")
  private String passVerify;
}

1
देखें stackoverflow.com/questions/2781771/... एक प्रकार सुरक्षित और प्रतिबिंब एपीआई मुक्त (imo अधिक सुरुचिपूर्ण) वर्ग स्तर पर समाधान के लिए।
कार्ल रिक्टर

जवाबों:


282

प्रत्येक क्षेत्र की बाधा को एक अलग सत्यापनकर्ता एनोटेशन द्वारा नियंत्रित किया जाना चाहिए, या दूसरे शब्दों में, यह एक क्षेत्र के सत्यापन एनोटेशन को अन्य क्षेत्रों के खिलाफ जाँच करने के लिए अभ्यास का सुझाव नहीं दिया जाता है; क्रॉस-फील्ड सत्यापन वर्ग स्तर पर किया जाना चाहिए। इसके अतिरिक्त, JSR-303 धारा 2.2 को एक ही प्रकार की कई मान्यताओं को व्यक्त करने का पसंदीदा तरीका एनोटेशन की सूची के माध्यम से है। यह त्रुटि संदेश को प्रति मैच निर्दिष्ट करने की अनुमति देता है।

उदाहरण के लिए, एक सामान्य फ़ॉर्म को मान्य करना:

@FieldMatch.List({
        @FieldMatch(first = "password", second = "confirmPassword", message = "The password fields must match"),
        @FieldMatch(first = "email", second = "confirmEmail", message = "The email fields must match")
})
public class UserRegistrationForm  {
    @NotNull
    @Size(min=8, max=25)
    private String password;

    @NotNull
    @Size(min=8, max=25)
    private String confirmPassword;

    @NotNull
    @Email
    private String email;

    @NotNull
    @Email
    private String confirmEmail;
}

एनोटेशन:

package constraints;

import constraints.impl.FieldMatchValidator;

import javax.validation.Constraint;
import javax.validation.Payload;
import java.lang.annotation.Documented;
import static java.lang.annotation.ElementType.ANNOTATION_TYPE;
import static java.lang.annotation.ElementType.TYPE;
import java.lang.annotation.Retention;
import static java.lang.annotation.RetentionPolicy.RUNTIME;
import java.lang.annotation.Target;

/**
 * Validation annotation to validate that 2 fields have the same value.
 * An array of fields and their matching confirmation fields can be supplied.
 *
 * Example, compare 1 pair of fields:
 * @FieldMatch(first = "password", second = "confirmPassword", message = "The password fields must match")
 * 
 * Example, compare more than 1 pair of fields:
 * @FieldMatch.List({
 *   @FieldMatch(first = "password", second = "confirmPassword", message = "The password fields must match"),
 *   @FieldMatch(first = "email", second = "confirmEmail", message = "The email fields must match")})
 */
@Target({TYPE, ANNOTATION_TYPE})
@Retention(RUNTIME)
@Constraint(validatedBy = FieldMatchValidator.class)
@Documented
public @interface FieldMatch
{
    String message() default "{constraints.fieldmatch}";

    Class<?>[] groups() default {};

    Class<? extends Payload>[] payload() default {};

    /**
     * @return The first field
     */
    String first();

    /**
     * @return The second field
     */
    String second();

    /**
     * Defines several <code>@FieldMatch</code> annotations on the same element
     *
     * @see FieldMatch
     */
    @Target({TYPE, ANNOTATION_TYPE})
    @Retention(RUNTIME)
    @Documented
            @interface List
    {
        FieldMatch[] value();
    }
}

मान्यवर:

package constraints.impl;

import constraints.FieldMatch;
import org.apache.commons.beanutils.BeanUtils;

import javax.validation.ConstraintValidator;
import javax.validation.ConstraintValidatorContext;

public class FieldMatchValidator implements ConstraintValidator<FieldMatch, Object>
{
    private String firstFieldName;
    private String secondFieldName;

    @Override
    public void initialize(final FieldMatch constraintAnnotation)
    {
        firstFieldName = constraintAnnotation.first();
        secondFieldName = constraintAnnotation.second();
    }

    @Override
    public boolean isValid(final Object value, final ConstraintValidatorContext context)
    {
        try
        {
            final Object firstObj = BeanUtils.getProperty(value, firstFieldName);
            final Object secondObj = BeanUtils.getProperty(value, secondFieldName);

            return firstObj == null && secondObj == null || firstObj != null && firstObj.equals(secondObj);
        }
        catch (final Exception ignore)
        {
            // ignore
        }
        return true;
    }
}

8
@AndyT: Apache Commons BeanUtils पर बाहरी निर्भरता है।
गैरीफ

7
@ScriptAssert आपको एक स्वनिर्धारित पथ के साथ सत्यापन संदेश बनाने की अनुमति नहीं देता है। context.buildConstraintViolationWithTemplate(context.getDefaultConstraintMessageTemplate()).addNode(secondFieldName).addConstraintViolation().disableDefaultConstraintViolation(); सही क्षेत्र को उजागर करने की संभावना देता है (यदि केवल JSF इसका समर्थन करेगा)।
पीटर डेविस

8
मैं नमूने के ऊपर इस्तेमाल किया, लेकिन यह त्रुटि संदेश प्रदर्शित नहीं करता है, बंधन क्या होना चाहिए? मैं पासवर्ड के लिए बाध्यकारी है और केवल पुष्टि करता हूं, क्या कुछ और आवश्यक है? <फ़ॉर्म: पासवर्ड पथ = "पासवर्ड" /> <फ़ॉर्म: त्रुटियां पथ = "पासवर्ड" cssClass = "errorz" /> <फ़ॉर्म: पासवर्ड पथ = "पुष्टिकरणशब्द" /> <फ़ॉर्म: त्रुटियां पथ = "पुष्टिकरण" cssClass = " errorz "/>
महमूद सालेह

7
BeanUtils.getPropertyएक स्ट्रिंग देता है। उदाहरण का उपयोग संभवतः PropertyUtils.getPropertyकिसी वस्तु को लौटाने के लिए किया गया था ।
सिंगलशॉट

2
अच्छा जवाब, लेकिन मैंने इसे इस सवाल के जवाब के साथ पूरा किया है: stackoverflow.com/questions/11890334/…
maxivis

164

मैं आपको एक और संभावित समाधान सुझाता हूं। शायद कम सुरुचिपूर्ण, लेकिन आसान!

public class MyBean {
  @Size(min=6, max=50)
  private String pass;

  private String passVerify;

  @AssertTrue(message="passVerify field should be equal than pass field")
  private boolean isValid() {
    return this.pass.equals(this.passVerify);
  }
}

isValidविधि स्वतः सत्यापनकर्ता द्वारा लाया जाता है।


12
मुझे लगता है कि यह फिर से चिंताओं का मिश्रण है। बीन सत्यापन का पूरा बिंदु कांस्ट्रेविंसविलेक्टर्स में मान्यता को समाप्त करना है। इस मामले में आपके पास सेम में सत्यापन तर्क का एक हिस्सा है और मान्यकर्ता ढांचे में भाग है। जाने का रास्ता एक कक्षा स्तर की बाधा है। Hibernate Validator अब एक @ScriptAssert भी प्रदान करता है जो बीन आंतरिक निर्भरता के कार्यान्वयन को आसान बनाता है।
हार्डी

10
मैं कहूंगा कि यह अधिक सुरुचिपूर्ण है, कम नहीं है!
निकजे

8
इस प्रकार मेरी राय यह है कि बीन सत्यापन जेएसआर चिंताओं का मिश्रण है।
दिमित्री मिंकोवस्की

3
@ गणेशकृष्णन अगर हम इस तरह के कई @AssertTrueतरीके चाहते हैं तो क्या होगा ? कुछ नामकरण सम्मेलन आयोजित?
स्टीफन

3
क्यों यह सबसे अच्छा जवाब नहीं है
कायरता nd

32

मुझे आश्चर्य है कि यह बॉक्स से बाहर उपलब्ध नहीं है। वैसे भी, यहां एक संभावित समाधान है।

मैंने एक क्लास लेवल वैलिनेटर बनाया है, न कि फील्ड स्तर जैसा कि मूल प्रश्न में वर्णित है।

यहाँ एनोटेशन कोड है:

package com.moa.podium.util.constraints;

import static java.lang.annotation.ElementType.*;
import static java.lang.annotation.RetentionPolicy.*;

import java.lang.annotation.Documented;
import java.lang.annotation.Retention;
import java.lang.annotation.Target;

import javax.validation.Constraint;
import javax.validation.Payload;

@Target({TYPE, ANNOTATION_TYPE})
@Retention(RUNTIME)
@Constraint(validatedBy = MatchesValidator.class)
@Documented
public @interface Matches {

  String message() default "{com.moa.podium.util.constraints.matches}";

  Class<?>[] groups() default {};

  Class<? extends Payload>[] payload() default {};

  String field();

  String verifyField();
}

और सत्यापनकर्ता स्वयं:

package com.moa.podium.util.constraints;

import org.mvel2.MVEL;

import javax.validation.ConstraintValidator;
import javax.validation.ConstraintValidatorContext;

public class MatchesValidator implements ConstraintValidator<Matches, Object> {

  private String field;
  private String verifyField;


  public void initialize(Matches constraintAnnotation) {
    this.field = constraintAnnotation.field();
    this.verifyField = constraintAnnotation.verifyField();
  }

  public boolean isValid(Object value, ConstraintValidatorContext context) {
    Object fieldObj = MVEL.getProperty(field, value);
    Object verifyFieldObj = MVEL.getProperty(verifyField, value);

    boolean neitherSet = (fieldObj == null) && (verifyFieldObj == null);

    if (neitherSet) {
      return true;
    }

    boolean matches = (fieldObj != null) && fieldObj.equals(verifyFieldObj);

    if (!matches) {
      context.disableDefaultConstraintViolation();
      context.buildConstraintViolationWithTemplate("message")
          .addNode(verifyField)
          .addConstraintViolation();
    }

    return matches;
  }
}

ध्यान दें कि मैंने एमवीईएल का उपयोग वस्तु के गुणों का निरीक्षण करने के लिए किया है। इसे मानक परावर्तन एपीआई के साथ बदला जा सकता है या यदि यह एक विशिष्ट वर्ग है जिसे आप मान्य कर रहे हैं, तो अभिगमक विधियां स्वयं ही हैं।

@ मीच एनोटेशन को तब सेम पर उपयोग किया जा सकता है:

@Matches(field="pass", verifyField="passRepeat")
public class AccountCreateForm {

  @Size(min=6, max=50)
  private String pass;
  private String passRepeat;

  ...
}

डिस्क्लेमर के रूप में, मैंने इसे अंतिम 5 मिनटों में लिखा था, इसलिए मैंने अभी तक सभी बगों को इस्त्री नहीं किया है। अगर कुछ गलत हुआ तो मैं जवाब को अपडेट करूंगा।


1
यह बहुत अच्छा है और यह मेरे लिए काम कर रहा है, सिवाय इसके कि addNote पदावनत है और मुझे AbstractMethodError मिलती है अगर मैं इसके बजाय addPropertyNode का उपयोग करता हूं। Google यहाँ मेरी मदद नहीं कर रहा है। इसका क्या उपाय है? क्या कोई निर्भरता कहीं गायब है?
पॉल ग्रेनेयर

29

Hibernate Validator 4.1.0.Final के साथ मैं @ScriptAssert का उपयोग करने की सलाह देता हूं । अपने JavaDoc से Exceprt:

स्क्रिप्ट अभिव्यक्ति किसी भी स्क्रिप्टिंग या अभिव्यक्ति भाषा में लिखी जा सकती है, जिसके लिए एक JSR 223 ("JavaTM प्लेटफ़ॉर्म के लिए स्क्रिप्टिंग") संगत इंजन क्लासपाथ पर पाया जा सकता है।

नोट: मूल्यांकन जावा वीएम में चल रहे एक स्क्रिप्टिंग " इंजन " द्वारा किया जा रहा है , इसलिए जावा "सर्वर साइड" पर, "क्लाइंट साइड" पर नहीं जैसा कि कुछ टिप्पणियों में कहा गया है।

उदाहरण:

@ScriptAssert(lang = "javascript", script = "_this.passVerify.equals(_this.pass)")
public class MyBean {
  @Size(min=6, max=50)
  private String pass;

  private String passVerify;
}

या छोटे उपनाम और अशक्त के साथ:

@ScriptAssert(lang = "javascript", alias = "_",
    script = "_.passVerify != null && _.passVerify.equals(_.pass)")
public class MyBean {
  @Size(min=6, max=50)
  private String pass;

  private String passVerify;
}

या जावा 7+ के साथ शून्य-सुरक्षित Objects.equals():

@ScriptAssert(lang = "javascript", script = "Objects.equals(_this.passVerify, _this.pass)")
public class MyBean {
  @Size(min=6, max=50)
  private String pass;

  private String passVerify;
}

फिर भी, कस्टम क्लास स्तर के सत्यापनकर्ता @ मैचेस समाधान के साथ कुछ भी गलत नहीं है ।


1
दिलचस्प समाधान, क्या हम वास्तव में इस सत्यापन को पूरा करने के लिए यहां जावास्क्रिप्ट नियुक्त कर रहे हैं? यह एक जावा आधारित एनोटेशन को पूरा करने में सक्षम होना चाहिए के लिए overkill की तरह लगता है। मेरी कुंवारी आँखों के लिए प्रस्तावित निको द्वारा समाधान अभी भी लगता है कि दोनों एक प्रयोज्य दृष्टिकोण से क्लीनर हैं (उनका एनोटेशन पढ़ना आसान है और काफी कार्यात्मक बनाम इनलेगेंट जावास्क्रिप्ट-> जावा संदर्भ), और एक स्केलेबिलिटी के दृष्टिकोण से (मुझे लगता है कि वहाँ उचित ओवरहेड है जावास्क्रिप्ट को संभालें, लेकिन शायद हाइबरनेट कम से कम संकलित कोड को कैश कर रहा है?)। मैं यह समझने के लिए उत्सुक हूं कि यह क्यों पसंद किया जाएगा।
डेविड पार्क्स

2
मैं मानता हूं कि निको का कार्यान्वयन अच्छा है, लेकिन मुझे एक अभिव्यक्ति भाषा के रूप में जेएस का उपयोग करने के बारे में कुछ भी आपत्तिजनक नहीं दिखता है। जावा 6 में बिल्कुल ऐसे अनुप्रयोगों के लिए राइनो शामिल है। मुझे @ScriptAssert पसंद है क्योंकि यह सिर्फ एक एनोटेशन और एक सत्यापनकर्ता बनाने के लिए मेरे बिना काम करता है जब भी मेरे पास प्रदर्शन करने के लिए एक उपन्यास प्रकार का परीक्षण होता है।

4
जैसा कि कहा गया है, वर्ग स्तर के सत्यापनकर्ता के साथ कुछ भी गलत नहीं है। ScriptAssert सिर्फ एक विकल्प है जिसके लिए आपको कस्टम कोड लिखने की आवश्यकता नहीं है। मैंने यह नहीं कहा कि यह पसंदीदा समाधान है ;-)
हार्डी

शानदार उत्तर क्योंकि पासवर्ड की पुष्टि महत्वपूर्ण सत्यापन नहीं है इसलिए इसे क्लाइंट की ओर से किया जा सकता है
पेटेरकुला

19

क्रॉस फ़ील्ड सत्यापन कस्टम बाधाओं को बनाकर किया जा सकता है।

उदाहरण: - उपयोगकर्ता उदाहरण के पासवर्ड और पुष्टिकरण फ़ील्ड की तुलना करें।

CompareStrings

@Target({TYPE})
@Retention(RUNTIME)
@Constraint(validatedBy=CompareStringsValidator.class)
@Documented
public @interface CompareStrings {
    String[] propertyNames();
    StringComparisonMode matchMode() default EQUAL;
    boolean allowNull() default false;
    String message() default "";
    Class<?>[] groups() default {};
    Class<? extends Payload>[] payload() default {};
}

StringComparisonMode

public enum StringComparisonMode {
    EQUAL, EQUAL_IGNORE_CASE, NOT_EQUAL, NOT_EQUAL_IGNORE_CASE
}

CompareStringsValidator

public class CompareStringsValidator implements ConstraintValidator<CompareStrings, Object> {

    private String[] propertyNames;
    private StringComparisonMode comparisonMode;
    private boolean allowNull;

    @Override
    public void initialize(CompareStrings constraintAnnotation) {
        this.propertyNames = constraintAnnotation.propertyNames();
        this.comparisonMode = constraintAnnotation.matchMode();
        this.allowNull = constraintAnnotation.allowNull();
    }

    @Override
    public boolean isValid(Object target, ConstraintValidatorContext context) {
        boolean isValid = true;
        List<String> propertyValues = new ArrayList<String> (propertyNames.length);
        for(int i=0; i<propertyNames.length; i++) {
            String propertyValue = ConstraintValidatorHelper.getPropertyValue(String.class, propertyNames[i], target);
            if(propertyValue == null) {
                if(!allowNull) {
                    isValid = false;
                    break;
                }
            } else {
                propertyValues.add(propertyValue);
            }
        }

        if(isValid) {
            isValid = ConstraintValidatorHelper.isValid(propertyValues, comparisonMode);
        }

        if (!isValid) {
          /*
           * if custom message was provided, don't touch it, otherwise build the
           * default message
           */
          String message = context.getDefaultConstraintMessageTemplate();
          message = (message.isEmpty()) ?  ConstraintValidatorHelper.resolveMessage(propertyNames, comparisonMode) : message;

          context.disableDefaultConstraintViolation();
          ConstraintViolationBuilder violationBuilder = context.buildConstraintViolationWithTemplate(message);
          for (String propertyName : propertyNames) {
            NodeBuilderDefinedContext nbdc = violationBuilder.addNode(propertyName);
            nbdc.addConstraintViolation();
          }
        }    

        return isValid;
    }
}

ConstraintValidatorHelper

public abstract class ConstraintValidatorHelper {

public static <T> T getPropertyValue(Class<T> requiredType, String propertyName, Object instance) {
        if(requiredType == null) {
            throw new IllegalArgumentException("Invalid argument. requiredType must NOT be null!");
        }
        if(propertyName == null) {
            throw new IllegalArgumentException("Invalid argument. PropertyName must NOT be null!");
        }
        if(instance == null) {
            throw new IllegalArgumentException("Invalid argument. Object instance must NOT be null!");
        }
        T returnValue = null;
        try {
            PropertyDescriptor descriptor = new PropertyDescriptor(propertyName, instance.getClass());
            Method readMethod = descriptor.getReadMethod();
            if(readMethod == null) {
                throw new IllegalStateException("Property '" + propertyName + "' of " + instance.getClass().getName() + " is NOT readable!");
            }
            if(requiredType.isAssignableFrom(readMethod.getReturnType())) {
                try {
                    Object propertyValue = readMethod.invoke(instance);
                    returnValue = requiredType.cast(propertyValue);
                } catch (Exception e) {
                    e.printStackTrace(); // unable to invoke readMethod
                }
            }
        } catch (IntrospectionException e) {
            throw new IllegalArgumentException("Property '" + propertyName + "' is NOT defined in " + instance.getClass().getName() + "!", e);
        }
        return returnValue; 
    }

    public static boolean isValid(Collection<String> propertyValues, StringComparisonMode comparisonMode) {
        boolean ignoreCase = false;
        switch (comparisonMode) {
        case EQUAL_IGNORE_CASE:
        case NOT_EQUAL_IGNORE_CASE:
            ignoreCase = true;
        }

        List<String> values = new ArrayList<String> (propertyValues.size());
        for(String propertyValue : propertyValues) {
            if(ignoreCase) {
                values.add(propertyValue.toLowerCase());
            } else {
                values.add(propertyValue);
            }
        }

        switch (comparisonMode) {
        case EQUAL:
        case EQUAL_IGNORE_CASE:
            Set<String> uniqueValues = new HashSet<String> (values);
            return uniqueValues.size() == 1 ? true : false;
        case NOT_EQUAL:
        case NOT_EQUAL_IGNORE_CASE:
            Set<String> allValues = new HashSet<String> (values);
            return allValues.size() == values.size() ? true : false;
        }

        return true;
    }

    public static String resolveMessage(String[] propertyNames, StringComparisonMode comparisonMode) {
        StringBuffer buffer = concatPropertyNames(propertyNames);
        buffer.append(" must");
        switch(comparisonMode) {
        case EQUAL:
        case EQUAL_IGNORE_CASE:
            buffer.append(" be equal");
            break;
        case NOT_EQUAL:
        case NOT_EQUAL_IGNORE_CASE:
            buffer.append(" not be equal");
            break;
        }
        buffer.append('.');
        return buffer.toString();
    }

    private static StringBuffer concatPropertyNames(String[] propertyNames) {
        //TODO improve concating algorithm
        StringBuffer buffer = new StringBuffer();
        buffer.append('[');
        for(String propertyName : propertyNames) {
            char firstChar = Character.toUpperCase(propertyName.charAt(0));
            buffer.append(firstChar);
            buffer.append(propertyName.substring(1));
            buffer.append(", ");
        }
        buffer.delete(buffer.length()-2, buffer.length());
        buffer.append("]");
        return buffer;
    }
}

उपयोगकर्ता

@CompareStrings(propertyNames={"password", "confirmPassword"})
public class User {
    private String password;
    private String confirmPassword;

    public String getPassword() { return password; }
    public void setPassword(String password) { this.password = password; }
    public String getConfirmPassword() { return confirmPassword; }
    public void setConfirmPassword(String confirmPassword) { this.confirmPassword =  confirmPassword; }
}

परीक्षा

    public void test() {
        User user = new User();
        user.setPassword("password");
        user.setConfirmPassword("paSSword");
        Set<ConstraintViolation<User>> violations = beanValidator.validate(user);
        for(ConstraintViolation<User> violation : violations) {
            logger.debug("Message:- " + violation.getMessage());
        }
        Assert.assertEquals(violations.size(), 1);
    }

उत्पादन Message:- [Password, ConfirmPassword] must be equal.

तुलनात्मक सत्यापन बाधा का उपयोग करके, हम दो से अधिक गुणों की तुलना भी कर सकते हैं और हम किसी भी चार स्ट्रिंग तुलना विधियों को मिला सकते हैं।

ColorChoice

@CompareStrings(propertyNames={"color1", "color2", "color3"}, matchMode=StringComparisonMode.NOT_EQUAL, message="Please choose three different colors.")
public class ColorChoice {

    private String color1;
    private String color2;
    private String color3;
        ......
}

परीक्षा

ColorChoice colorChoice = new ColorChoice();
        colorChoice.setColor1("black");
        colorChoice.setColor2("white");
        colorChoice.setColor3("white");
        Set<ConstraintViolation<ColorChoice>> colorChoiceviolations = beanValidator.validate(colorChoice);
        for(ConstraintViolation<ColorChoice> violation : colorChoiceviolations) {
            logger.debug("Message:- " + violation.getMessage());
        }

उत्पादन Message:- Please choose three different colors.

इसी प्रकार, हमारे पास तुलना, तुलना, आदि क्रॉस-फील्ड सत्यापन बाधाएं हो सकती हैं।

PS मैंने उत्पादन पर्यावरण के तहत इस कोड का परीक्षण नहीं किया है (हालांकि मैंने देव वातावरण के तहत इसका परीक्षण किया है), इसलिए इस कोड को माइलस्टोन रिलीज़ के रूप में देखें। यदि आपको कोई बग मिले, तो कृपया एक अच्छी टिप्पणी लिखें। :)


मुझे यह दृष्टिकोण पसंद है, क्योंकि यह दूसरों की तुलना में अधिक लचीला है। यह मुझे समानता के लिए 2 से अधिक क्षेत्रों को मान्य करने देता है। अच्छी नौकरी!
टॉरन

9

मैंने अल्बर्टथोवेन के उदाहरण (हाइबरनेट-वैलिडेटर 4.0.2.GA) की कोशिश की है और मुझे एक मान्यकरण प्राप्त होता है:: एनोटेटेड विधियों को जावाबीन्स नामकरण सम्मेलन का पालन करना चाहिए। मैच () नहीं है। ”भी। मैंने मैच "से" इनवैलिड "करने के लिए विधि का नाम बदलने के बाद यह काम करता है।

public class Password {

    private String password;

    private String retypedPassword;

    public Password(String password, String retypedPassword) {
        super();
        this.password = password;
        this.retypedPassword = retypedPassword;
    }

    @AssertTrue(message="password should match retyped password")
    private boolean isValid(){
        if (password == null) {
            return retypedPassword == null;
        } else {
            return password.equals(retypedPassword);
        }
    }

    public String getPassword() {
        return password;
    }

    public String getRetypedPassword() {
        return retypedPassword;
    }

}

इसने मेरे लिए सही तरीके से काम किया लेकिन त्रुटि संदेश प्रदर्शित नहीं किया। क्या यह काम करता है और आपके लिए त्रुटि संदेश प्रदर्शित करता है। कैसे?
टिनी

1
@ छोटे: संदेश सत्यापनकर्ता द्वारा लौटाए गए उल्लंघन में होना चाहिए। (एक इकाई परीक्षण लिखें: stackoverflow.com/questions/5704743/… )। BUT सत्यापन संदेश "अमान्य" गुण के अंतर्गत आता है। इसलिए संदेश केवल GUI में दिखाया जाएगा यदि GUI पुनर्प्रकाशन के लिए समस्याएँ दिखाता है और isValid (पुनर्प्राप्त पासवर्ड के बगल में)।
राल्फ

8

यदि आप स्प्रिंग फ्रेमवर्क का उपयोग कर रहे हैं तो आप उसके लिए स्प्रिंग एक्सप्रेशन लैंग्वेज (स्पेल) का उपयोग कर सकते हैं। मैंने एक छोटा पुस्तकालय लिखा है जो स्पेल के आधार पर JSR-303 सत्यापनकर्ता प्रदान करता है - यह क्रॉस-फील्ड सत्यापन को एक हवा बनाता है! Https://github.com/jirutka/validator-spring पर एक नज़र डालें ।

यह पासवर्ड फ़ील्ड की लंबाई और समानता को मान्य करेगा।

@SpELAssert(value = "pass.equals(passVerify)",
            message = "{validator.passwords_not_same}")
public class MyBean {

    @Size(min = 6, max = 50)
    private String pass;

    private String passVerify;
}

आप पासवर्ड फ़ील्ड को केवल तभी खाली करने के लिए इसे आसानी से संशोधित कर सकते हैं जब दोनों खाली न हों।

@SpELAssert(value = "pass.equals(passVerify)",
            applyIf = "pass || passVerify",
            message = "{validator.passwords_not_same}")
public class MyBean {

    @Size(min = 6, max = 50)
    private String pass;

    private String passVerify;
}

4

स्प्रिंग एक्सप्रेशन लैंग्वेज का उपयोग करने के लिए मुझे जैकब जिरुटका का विचार पसंद है । यदि आप एक और पुस्तकालय / निर्भरता नहीं जोड़ना चाहते हैं (यह मानते हुए कि आप पहले से ही स्प्रिंग का उपयोग करते हैं), तो यहां उनके विचार का एक सरल कार्यान्वयन है।

बाधा:

@Constraint(validatedBy=ExpressionAssertValidator.class)
@Target({ElementType.TYPE})
@Retention(RetentionPolicy.RUNTIME)
public @interface ExpressionAssert {
    String message() default "expression must evaluate to true";
    Class<?>[] groups() default {};
    Class<? extends Payload>[] payload() default {};
    String value();
}

सत्यापनकर्ता:

public class ExpressionAssertValidator implements ConstraintValidator<ExpressionAssert, Object> {
    private Expression exp;

    public void initialize(ExpressionAssert annotation) {
        ExpressionParser parser = new SpelExpressionParser();
        exp = parser.parseExpression(annotation.value());
    }

    public boolean isValid(Object value, ConstraintValidatorContext context) {
        return exp.getValue(value, Boolean.class);
    }
}

इस तरह लागू करें:

@ExpressionAssert(value="pass == passVerify", message="passwords must be same")
public class MyBean {
    @Size(min=6, max=50)
    private String pass;
    private String passVerify;
}

3

मेरे पास पहले उत्तर पर टिप्पणी करने के लिए प्रतिष्ठा नहीं है, लेकिन मैं जोड़ना चाहता हूं कि मैंने जीतने वाले उत्तर के लिए इकाई परीक्षण जोड़े हैं और निम्नलिखित अवलोकन हैं:

  • यदि आपको पहला या फ़ील्ड नाम गलत मिलता है, तो आपको एक सत्यापन त्रुटि मिलती है जैसे मान मेल नहीं खाते हैं। वर्तनी की गलतियों से मत उलझो

@FieldMatch (पहला = " अमान्य फ़ील्डनाम 1 ", दूसरा = "मान्यफ़्लैमनाम 2")

  • सत्यापनकर्ता समतुल्य डेटा प्रकारों को स्वीकार करेगा अर्थात ये सभी FieldMatch के साथ पास होंगे:

निजी स्ट्रिंग stringField = "1";

निजी पूर्णांक पूर्णांक = नया पूर्णांक (1)

निजी int intField = 1;

  • यदि फ़ील्ड एक ऑब्जेक्ट प्रकार के हैं जो समान लागू नहीं करते हैं, तो सत्यापन विफल हो जाएगा।

2

बहुत अच्छा समाधान ब्रैडहाउस। क्या किसी भी क्षेत्र में @Matches एनोटेशन लागू करने का कोई तरीका है?

संपादित करें: इस प्रश्न का उत्तर देने के लिए मैं जिस समाधान के साथ आया हूं, मैंने एक मान के बजाय एक सरणी को स्वीकार करने के लिए बाधा को संशोधित किया है:

@Matches(fields={"password", "email"}, verifyFields={"confirmPassword", "confirmEmail"})
public class UserRegistrationForm  {

    @NotNull
    @Size(min=8, max=25)
    private String password;

    @NotNull
    @Size(min=8, max=25)
    private String confirmPassword;


    @NotNull
    @Email
    private String email;

    @NotNull
    @Email
    private String confirmEmail;
}

एनोटेशन के लिए कोड:

package springapp.util.constraints;

import static java.lang.annotation.ElementType.*;
import static java.lang.annotation.RetentionPolicy.*;

import java.lang.annotation.Documented;
import java.lang.annotation.Retention;
import java.lang.annotation.Target;

import javax.validation.Constraint;
import javax.validation.Payload;

@Target({TYPE, ANNOTATION_TYPE})
@Retention(RUNTIME)
@Constraint(validatedBy = MatchesValidator.class)
@Documented
public @interface Matches {

  String message() default "{springapp.util.constraints.matches}";

  Class<?>[] groups() default {};

  Class<? extends Payload>[] payload() default {};

  String[] fields();

  String[] verifyFields();
}

और कार्यान्वयन:

package springapp.util.constraints;

import javax.validation.ConstraintValidator;
import javax.validation.ConstraintValidatorContext;

import org.apache.commons.beanutils.BeanUtils;

public class MatchesValidator implements ConstraintValidator<Matches, Object> {

    private String[] fields;
    private String[] verifyFields;

    public void initialize(Matches constraintAnnotation) {
        fields = constraintAnnotation.fields();
        verifyFields = constraintAnnotation.verifyFields();
    }

    public boolean isValid(Object value, ConstraintValidatorContext context) {

        boolean matches = true;

        for (int i=0; i<fields.length; i++) {
            Object fieldObj, verifyFieldObj;
            try {
                fieldObj = BeanUtils.getProperty(value, fields[i]);
                verifyFieldObj = BeanUtils.getProperty(value, verifyFields[i]);
            } catch (Exception e) {
                //ignore
                continue;
            }
            boolean neitherSet = (fieldObj == null) && (verifyFieldObj == null);
            if (neitherSet) {
                continue;
            }

            boolean tempMatches = (fieldObj != null) && fieldObj.equals(verifyFieldObj);

            if (!tempMatches) {
                addConstraintViolation(context, fields[i]+ " fields do not match", verifyFields[i]);
            }

            matches = matches?tempMatches:matches;
        }
        return matches;
    }

    private void addConstraintViolation(ConstraintValidatorContext context, String message, String field) {
        context.disableDefaultConstraintViolation();
        context.buildConstraintViolationWithTemplate(message).addNode(field).addConstraintViolation();
    }
}

हम्म। निश्चित नहीं। आप या तो प्रत्येक पुष्टिकरण क्षेत्र के लिए विशिष्ट सत्यापनकर्ता बनाने का प्रयास कर सकते हैं (ताकि उनके पास अलग-अलग एनोटेशन हों), या कई जोड़े फ़ील्ड को स्वीकार करने के लिए @Matches एनोटेशन को अपडेट करें।
ब्रैडहाउस 20'10

धन्यवाद ब्रैडहाउस, एक समाधान के साथ आया और इसे ऊपर पोस्ट किया है। इसे पूरा करने के लिए एक छोटे से काम की जरूरत होती है, जब अलग-अलग संख्या में तर्क पारित किए जाते हैं ताकि आपको IndexOutOfBoundsException न मिले, लेकिन मूल बातें हैं।
मैकगिन

1

आपको इसे स्पष्ट रूप से कॉल करने की आवश्यकता है। ऊपर के उदाहरण में, ब्रैडहाउस ने आपको एक कस्टम बाधा लिखने के लिए सभी कदम दिए हैं।

इस कोड को अपने कॉलर क्लास में जोड़ें।

ValidatorFactory factory = Validation.buildDefaultValidatorFactory();
validator = factory.getValidator();

Set<ConstraintViolation<yourObjectClass>> constraintViolations = validator.validate(yourObject);

उपरोक्त मामले में यह होगा

Set<ConstraintViolation<AccountCreateForm>> constraintViolations = validator.validate(objAccountCreateForm);

1

ओवल की कोशिश क्यों न करें: http://oval.sourceforge.net/

मुझे लगता है कि यह ओजीएनएल का समर्थन करता है इसलिए शायद आप इसे और अधिक प्राकृतिक तरीके से कर सकते हैं

@Assert(expr = "_value ==_this.pass").

1

तुम लड़के गजब हो। वाकई अद्भुत विचार। मुझे अल्बर्टथोवेन और मैकगिन सबसे ज्यादा पसंद हैं, इसलिए मैंने दोनों विचारों को मिलाने का फैसला किया। और सभी मामलों को पूरा करने के लिए कुछ सामान्य समाधान विकसित करें। यहाँ मेरा प्रस्तावित समाधान है।

@Documented
@Constraint(validatedBy = NotFalseValidator.class)
@Target({ElementType.METHOD, ElementType.FIELD,ElementType.TYPE})
@Retention(RetentionPolicy.RUNTIME)
public @interface NotFalse {


    String message() default "NotFalse";
    String[] messages();
    String[] properties();
    String[] verifiers();

    Class<?>[] groups() default {};

    Class<? extends Payload>[] payload() default {};

}

public class NotFalseValidator implements ConstraintValidator<NotFalse, Object> {
    private String[] properties;
    private String[] messages;
    private String[] verifiers;
    @Override
    public void initialize(NotFalse flag) {
        properties = flag.properties();
        messages = flag.messages();
        verifiers = flag.verifiers();
    }

    @Override
    public boolean isValid(Object bean, ConstraintValidatorContext cxt) {
        if(bean == null) {
            return true;
        }

        boolean valid = true;
        BeanWrapper beanWrapper = PropertyAccessorFactory.forBeanPropertyAccess(bean);

        for(int i = 0; i< properties.length; i++) {
           Boolean verified = (Boolean) beanWrapper.getPropertyValue(verifiers[i]);
           valid &= isValidProperty(verified,messages[i],properties[i],cxt);
        }

        return valid;
    }

    boolean isValidProperty(Boolean flag,String message, String property, ConstraintValidatorContext cxt) {
        if(flag == null || flag) {
            return true;
        } else {
            cxt.disableDefaultConstraintViolation();
            cxt.buildConstraintViolationWithTemplate(message)
                    .addPropertyNode(property)
                    .addConstraintViolation();
            return false;
        }

    }



}

@NotFalse(
        messages = {"End Date Before Start Date" , "Start Date Before End Date" } ,
        properties={"endDateTime" , "startDateTime"},
        verifiers = {"validDateRange" , "validDateRange"})
public class SyncSessionDTO implements ControllableNode {
    @NotEmpty @NotPastDate
    private Date startDateTime;

    @NotEmpty
    private Date endDateTime;



    public Date getStartDateTime() {
        return startDateTime;
    }

    public void setStartDateTime(Date startDateTime) {
        this.startDateTime = startDateTime;
    }

    public Date getEndDateTime() {
        return endDateTime;
    }

    public void setEndDateTime(Date endDateTime) {
        this.endDateTime = endDateTime;
    }


    public Boolean getValidDateRange(){
        if(startDateTime != null && endDateTime != null) {
            return startDateTime.getTime() <= endDateTime.getTime();
        }

        return null;
    }

}

0

मैंने निको के समाधान में एक छोटा सा अनुकूलन किया, ताकि अपाचे कॉमन्स बीन्यूटिल्स लाइब्रेरी का उपयोग करना आवश्यक न हो और इसे वसंत में पहले से ही उपलब्ध समाधान के साथ बदल दें, इसका उपयोग करने वालों के लिए जैसा कि मैं सरल हो सकता हूं:

import org.springframework.beans.BeanWrapper;
import org.springframework.beans.PropertyAccessorFactory;

import javax.validation.ConstraintValidator;
import javax.validation.ConstraintValidatorContext;

public class FieldMatchValidator implements ConstraintValidator<FieldMatch, Object> {

    private String firstFieldName;
    private String secondFieldName;

    @Override
    public void initialize(final FieldMatch constraintAnnotation) {
        firstFieldName = constraintAnnotation.first();
        secondFieldName = constraintAnnotation.second();
    }

    @Override
    public boolean isValid(final Object object, final ConstraintValidatorContext context) {

        BeanWrapper beanWrapper = PropertyAccessorFactory.forBeanPropertyAccess(object);
        final Object firstObj = beanWrapper.getPropertyValue(firstFieldName);
        final Object secondObj = beanWrapper.getPropertyValue(secondFieldName);

        boolean isValid = firstObj == null && secondObj == null || firstObj != null && firstObj.equals(secondObj);

        if (!isValid) {
            context.disableDefaultConstraintViolation();
            context.buildConstraintViolationWithTemplate(context.getDefaultConstraintMessageTemplate())
                .addPropertyNode(firstFieldName)
                .addConstraintViolation();
        }

        return isValid;

    }
}

-1

प्रश्न के साथ समाधान का एहसास: एनोटेशन प्रॉपर्टी में वर्णित फ़ील्ड का उपयोग कैसे करें

@Target(ElementType.FIELD)
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface Match {

    String field();

    String message() default "";
}

@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
@Constraint(validatedBy = MatchValidator.class)
@Documented
public @interface EnableMatchConstraint {

    String message() default "Fields must match!";

    Class<?>[] groups() default {};

    Class<? extends Payload>[] payload() default {};
}

public class MatchValidator implements  ConstraintValidator<EnableMatchConstraint, Object> {

    @Override
    public void initialize(final EnableMatchConstraint constraint) {}

    @Override
    public boolean isValid(final Object o, final ConstraintValidatorContext context) {
        boolean result = true;
        try {
            String mainField, secondField, message;
            Object firstObj, secondObj;

            final Class<?> clazz = o.getClass();
            final Field[] fields = clazz.getDeclaredFields();

            for (Field field : fields) {
                if (field.isAnnotationPresent(Match.class)) {
                    mainField = field.getName();
                    secondField = field.getAnnotation(Match.class).field();
                    message = field.getAnnotation(Match.class).message();

                    if (message == null || "".equals(message))
                        message = "Fields " + mainField + " and " + secondField + " must match!";

                    firstObj = BeanUtils.getProperty(o, mainField);
                    secondObj = BeanUtils.getProperty(o, secondField);

                    result = firstObj == null && secondObj == null || firstObj != null && firstObj.equals(secondObj);
                    if (!result) {
                        context.disableDefaultConstraintViolation();
                        context.buildConstraintViolationWithTemplate(message).addPropertyNode(mainField).addConstraintViolation();
                        break;
                    }
                }
            }
        } catch (final Exception e) {
            // ignore
            //e.printStackTrace();
        }
        return result;
    }
}

और इसका उपयोग कैसे करें ...? ऐशे ही:

@Entity
@EnableMatchConstraint
public class User {

    @NotBlank
    private String password;

    @Match(field = "password")
    private String passwordConfirmation;
}
हमारी साइट का प्रयोग करके, आप स्वीकार करते हैं कि आपने हमारी Cookie Policy और निजता नीति को पढ़ और समझा लिया है।
Licensed under cc by-sa 3.0 with attribution required.