Hibernate Validator(JSR 303)によるフィールド間検証


236

Hibernate Validator 4.xのフィールド間検証の実装(またはサードパーティによる実装)はありますか?そうでない場合、フィールド間バリデーターを実装する最もクリーンな方法は何ですか?

例として、APIを使用して2つのBeanプロパティが等しいことを検証するにはどうすればよいですか(パスワードフィールドの検証がパスワード検証フィールドと一致するなど)。

注釈では、私は次のようなものを期待します:

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

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

1
クラスレベルでのタイプセーフでリフレクションAPIフリー(よりエレガント)なソリューションについては、stackoverflow.com / questions / 2781771 /…を参照してください。
カールリヒター

回答:


282

各フィールド制約は、個別のバリデータアノテーションで処理する必要があります。つまり、1つのフィールドの検証アノテーションを他のフィールドに対してチェックすることはお勧めできません。フィールド間検証は、クラスレベルで行う必要があります。さらに、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には外部依存関係があります。
GaryF 2010

7
@ScriptAssertでは、カスタマイズされたパスを使用して検証メッセージを作成できません。context.buildConstraintViolationWithTemplate(context.getDefaultConstraintMessageTemplate()).addNode(secondFieldName).addConstraintViolation().disableDefaultConstraintViolation(); 正しいフィールドを強調表示する可能性を提供します(JSFのみがサポートする場合)。
ピーター・デイビス

8
上記のサンプルを使用しましたが、エラーメッセージは表示されません。JSPのバインディングはどうあるべきですか。パスワードをバインドして確認のみを行います。他に必要なものはありますか?<form:password path = "password" /> <form:errors path = "password" cssClass = "errorz" /> <form:password path = "confirmPassword" /> <form:errors path = "confirmPassword" cssClass = " errorz "/>
Mahmoud Saleh

7
BeanUtils.getProperty文字列を返します。この例は、おそらくPropertyUtils.getPropertyオブジェクトを返すものを使用することを意図しています。
SingleShot

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
これは再び懸念の混合だと思います。Bean Validationの要点は、ConstraintValidatorsに検証を外部化することです。この場合、検証ロジックの一部がBean自体にあり、一部がValidatorフレームワークにあります。行く方法は、クラスレベルの制約です。Hibernate Validatorは、Beanの内部依存関係の実装を容易にする@ScriptAssertも提供します。
Hardy、

10
私はこれがよりエレガントであると言いますが、それ以上ではありません!
NickJ 14

8
これまでの私の意見では、Bean Validation JSRにはさまざまな懸念が混在しています。
ドミトリー・ミンコフスキー

3
@GaneshKrishnanいくつかのそのようなedメソッドが必要な場合はどう@AssertTrueでしょうか。いくつかの命名規則が保持されますか?
Stephane

3
なぜこれがベストアンサーではないのですか
funky-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;
  }
}

MVELを使用して、検証されるオブジェクトのプロパティを検査していることに注意してください。これは、標準のリフレクションAPIで置き換えることも、検証する特定のクラスの場合はアクセサーメソッド自体で置き換えることもできます。

@Matchesアノテーションは、次のようにBeanで使用できます。

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

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

  ...
}

免責事項として、私は過去5分間にこれを書いたので、おそらくまだすべてのバグを解決していません。問題が発生した場合は、回答を更新します。


1
これはすばらしいことですが、addNoteが廃止され、代わりにaddPropertyNodeを使用した場合にAbstractMethodErrorが返されることを除いて、私にとってはうまくいきます。ここではGoogleは役に立ちません。どのようなソリューションですか?どこかに足りない依存関係はありますか?
Paul Grenyer、2013

29

Hibernate Validator 4.1.0.Finalでは、@ ScriptAssertの使用をお勧めします。JavaDocからの抜粋:

スクリプト式は、JSR 223(「JavaTMプラットフォームのスクリプト」)互換エンジンがクラスパスにある任意のスクリプト言語または式言語で記述できます。

注:評価はJava VMで実行されているスクリプト「エンジン」によって実行されているため、Java「サーバー側」ではなく、、一部のコメントに記載されている「クライアント側」れます。

例:

@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;
}

またはJava 7以降のnullセーフ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;
}

それにもかかわらず、カスタムクラスレベルのバリデーター@Matchesソリューションに問題はありません。


1
興味深い解決策ですが、この検証を実行するために本当にJavaScriptを使用していますか?これは、Javaベースのアノテーションで実現できることに対してはやり過ぎのようです。私の処女の目には、上記で提案されたNickoの解決策は、使いやすさの観点(彼の注釈は読みやすく、非常に機能的であるか、無意味なjavascript-> java参照)からも、スケーラビリティの観点からも(私には妥当なオーバーヘッドがあると思います) JavaScriptを処理しますが、Hibernateは少なくともコンパイル済みコードをキャッシュしていますか?)。なぜこれが好ましいのか理解したいと思います。
David Parks、

2
Nickoの実装は優れていることに同意しますが、式言語としてJSを使用することに不快な点は見られません。Java 6には、まさにそのようなアプリケーションのためのRhinoが含まれています。@ScriptAssertは、新しいタイプのテストを実行するたびに注釈やバリデーターを作成しなくても機能するので、気に入っています。

4
言ったように、クラスレベルのバリデーターには何の問題もありません。ScriptAssertは、カスタムコードを記述する必要がない代替手段にすぎません。私はそれが好ましい解決策だとは言いませんでした;-)
Hardy

グレート答えパスワードの確認が重要な検証ではありませんので、したがって、それはクライアント側で行うことができます
peterchaula

19

カスタム制約を作成することにより、フィールド間検証を実行できます。

例:-UserインスタンスのpasswordフィールドとconfirmPasswordフィールドを比較します。

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.

CompareStrings検証制約を使用すると、3つ以上のプロパティを比較したり、4つの文字列比較メソッドのいずれかを混合したりできます。

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.

同様に、CompareNumbers、CompareDatesなどのフィールド間検証制約を設定できます。

PSこのコードは本番環境ではテストしていません(ただし、開発環境ではテストしました)。このコードをマイルストーンリリースと見なしてください。バグを見つけたら、素敵なコメントを書いてください。:)


他の方法よりも柔軟性があるため、このアプローチが好きです。2つ以上のフィールドが等しいかどうかを検証できます。良くやった!
Tauren

9

Alberthovenの例(hibernate-validator 4.0.2.GA)を試してみましたが、ValidationExceptionが発生しました。match()はしません。メソッドの名前を「match」から「isValid」に変更した後、機能します。

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
@Tiny:メッセージは、バリデーターによって返された違反に含まれている必要があります。(単体テストを記述します:stackoverflow.com/questions/5704743/…)。ただし、検証メッセージは「isValid」プロパティに属しています。したがって、GUIにretypedPasswordおよびisValid(再入力されたパスワードの横)の問題が表示された場合にのみ、メッセージがGUIに表示されます。
ラルフ

8

Spring Frameworkを使用している場合は、Spring Expression Language(SpEL)を使用できます。SpELに基づく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

Jakub Jirutkaのアイデアが好き Spring Expression Languageを使用するのがです。別のライブラリ/依存関係を追加したくない場合は(すでにSpringを使用していると仮定して)、彼のアイデアの単純化された実装を次に示します。

制約:

@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(first = " 無効な FieldName1"、second = "validFieldName2")

  • バリデータ同等のデータ型受け入れます。つまり、これらはすべてFieldMatchで渡されます。

プライベート文字列stringField = "1";

プライベート整数integerField = new Integer(1)

private 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アノテーションを更新してフィールドの複数のペアを受け入れるようにすることができます。
ブラッドハウス、2010年

ブラッドハウスに感謝し、解決策を考え出し、上に投稿しました。IndexOutOfBoundsExceptionsを取得しないように、異なる数の引数が渡された場合の対応には少し作業が必要ですが、基本はあります。
McGin

1

明示的に呼び出す必要があります。上記の例では、bradhouseがカスタム制約を作成するためのすべての手順を提供しています。

このコードを呼び出し元クラスに追加します。

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

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

上記の場合、それは

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

1

Ovalを試してみませんか:http : //oval.sourceforge.net/

私はそれがOGNLをサポートしているようですので、あなたはもっと自然にそれを行うことができます

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

1

あなたたちは素晴らしいです。本当に素晴らしいアイデア。私のようなAlberthovenさんMcGinのほとんど、私は両方のアイデアを組み合わせることを決めたそう。そして、すべてのケースに対応するいくつかの一般的なソリューションを開発します。これが私の提案する解決策です。

@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

私はNickoのソリューションに小さな変更を加えたので、Apache Commons BeanUtilsライブラリを使用して、春にすでに利用可能なソリューションに置き換える必要はありません。

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;
}
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.