3

我知道我可以通过UIInput#getValue().

但在许多情况下,当字段绑定到一个 bean 值时,我想获得默认值,如果输入等于默认值,我不需要验证。

如果某个字段具有唯一约束并且您有一个编辑表单,这将非常有用。
验证总是会失败,因为在检查约束方法中它总是会找到自己的值,从而验证为假。

一种方法是将默认值作为属性传递,<f:attribute>并在验证器内部进行检查。但是有没有更简单的内置方法?

4

1 回答 1

11

提交的值仅可用作实现中value的参数validate()

public void validate(FacesContext context, UIComponent component, Object value) throws ValidatorException {
    Object oldValue = ((UIInput) component).getValue();

    if (value != null ? value.equals(oldValue) : oldValue == null) {
        // Value has not changed.
        return;
    }

    // Continue validation here.
}

另一种方法是ValidatorValueChangeListener. 只有当值真正改变时才会调用它。它有点 hacky,但它完成了你真正需要的工作。

<h:inputText ... valueChangeListener="#{uniqueValueValidator}" />

或者

<h:inputText ...>
    <f:valueChangeListener binding="#{uniqueValueValidator}" />
</h:inputText>

@ManagedBean
public class UniqueValueValidator implements ValueChangeListener {

    @Override
    public void processValueChange(ValueChangeEvent event) throws AbortProcessingException {
        FacesContext context = FacesContext.getCurrentInstance();
        UIInput input = (UIInput) event.getComponent();
        Object oldValue = event.getOldValue();
        Object newValue = event.getNewValue();

        // Validate newValue here against DB or something.
        // ...

        if (invalid) {
            input.setValid(false);
            context.validationFailed();
            context.addMessage(input.getClientId(context),
                new FacesMessage(FacesMessage.SEVERITY_ERROR, "Please enter unique value", null));
        }
    }

}

请注意,您不能在ValidatorException那里抛出一个,这就是为什么需要手动将组件和面上下文设置为无效并手动添加组件的消息。这context.validationFailed()将强制 JSF 跳过更新模型值并调用操作阶段。

于 2012-05-28T18:10:01.453 回答