单个输入字段的自定义JSF验证器消息

时间:2013-09-26 11:29:43

标签: validation jsf message

我想为不同输入字段的每个验证器提供不同的验证消息。

对于每个输入字段,JSF是否可以为单个验证器(例如<f:validateLongRange>)提供不同的验证消息?

1 个答案:

答案 0 :(得分:15)

有几种方法:

  1. 最简单的设置validatorMessage属性。

    <h:inputText ... validatorMessage="Please enter a number between 0 and 42">
        <f:validateLongRange minimum="0" maximum="42" />
    </h:inputText>
    

    但是,当您使用其他验证器时也会使用此选项。它将覆盖附加到输入字段的其他验证器的所有消息,包括Bean验证。不确定那会不会形成问题。如果是这样,请采取以下方式。

  2. 创建一个自定义验证程序,扩展标准验证程序,例如LongRangeValidator,然后捕获ValidatorException并使用所需的自定义消息重新抛出它。 E.g。

    <h:inputText ...>
        <f:validator validatorId="myLongRangeValidator" />
        <f:attribute name="longRangeValidatorMessage" value="Please enter a number between 0 and 42" />
    </h:inputText>
    

    public class MyLongRangeValidator extends LongRangeValidator {
    
        public void validate(FacesContext context, UIComponent component, Object convertedValue) throws ValidatorException {
            setMinimum(0); // If necessary, obtain as custom attribute as well.
            setMaximum(42); // If necessary, obtain as custom attribute as well.
    
            try {
                super.validate(context, component, convertedValue);
            } catch (ValidatorException e) {
                String message = (String) component.getAttributes().get("longRangeValidatorMessage");
                throw new ValidatorException(new FacesMessage(message));
            }
        }
    
    }
    
  3. 使用OmniFaces <o:validator>,允许在每个验证器的基础上设置不同的验证器消息:

    <h:inputText ...>
        <o:validator validatorId="javax.faces.Required" message="Please fill out this field" />
        <o:validator validatorId="javax.faces.LongRange" minimum="0" maximum="42" message="Please enter a number between 0 and 42" />
    </h:inputText>
    
  4. 另见: