ComboBox 的 Hibernate 验证器

Hibernate validator for ComboBox

如何验证用户的 jComboBox select 除默认项以外的任何项?

我需要检查用户是否没有 select 任何项目。所以 jComboBox 值将是 "Please select a scurity question"

在我的模型中 class,

@NotEmpty(message="Please fill the username field!")
public String getUsername() {
    return this.username;
}

public void setUsername(String username) {
    this.username = username;
}

@NotEmpty(message="Please fill the password field!")
public String getPassword() {
    return this.password;
}

public void setPassword(String password) {
    this.password = password;
}

public String getSeqQue() {
    return this.seqQue;
}

public void setSeqQue(String seqQue) {
    this.seqQue = seqQue;
}

添加到 getSeqQue() 中以验证我的 jComboBox 的休眠验证器注释是什么?

To validate your JComboBox with custom message simply you can make custom constraint validator.

参见以下示例:

MyModel.java

public class MyModel {

    @ValidComboBox //this is the annotation which validates your combo box
    private String question;

    //getter and setter
}

ValidComboBox.java //注解

import java.lang.annotation.*;
import javax.validation.*;

@Target({ ElementType.METHOD, ElementType.FIELD, ElementType.ANNOTATION_TYPE })
@Retention(RetentionPolicy.RUNTIME)
@Constraint(validatedBy = ComboBoxValidator.class)
@Documented
public @interface ValidComboBox {
String value = "Please select a security question";

String message() default "Please select a security question.";

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

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

ComboBoxValidator.java

import javax.validation.*;
public class ComboBoxValidator implements ConstraintValidator<ValidComboBox, String> {

private String value;

@Override
public void initialize(ValidComboBox arg0) {
    this.value = arg0.value;

}

@Override
public boolean isValid(String question, ConstraintValidatorContext arg1) {
    if(question.equalsIgnoreCase(value)){
        return false;
    }
    return true;
}
}

像这样将项目添加到您的 jComboBox:

JComboBox<String> jComboBox = new JComboBox<>();
jComboBox.addItem("Please select a scurity question");
jComboBox.addItem("Question 1");
jComboBox.addItem("Question 2");

执行验证操作时需要添加以下行:

ValidatorFactory validatorFactory = Validation.buildDefaultValidatorFactory();
Validator validator = validatorFactory.getValidator();

String question = jComboBox.getSelectedItem().toString();
MyModel model = new MyModel();
model.setQuestion(model);

Set<ConstraintViolation<MyModel>> constraintViolations = validator.validate(model);

if (!constraintViolations.isEmpty()) {
        String error = "";
        for (ConstraintViolation<MyModel> constraintViolation : constraintViolations) {
                error += constraintViolation.getMessage();
                JOptionPane.showMessageDialog(null, error);
        }
}

It will display Please select a security question message if you try to send request without choosing question.