我对InputText有两个要求:
- p:inputText的值应该立即显示在屏幕上的h:outputText和keyup事件中
- 该值在数据库中应该是唯一的
我正在使用Primefaces 4.0、JSF 2.2以及Glassfish 4和Java 7
我的代码现在看起来像这样
示例.xhtml
<h:form>
<p:inputText id="value" value="#{myBean.value}" >
<p:ajax event="keyup" update="example" process="@this" />
<f:validator binding="#{uniqueValueValidator}" />
</p:inputText>
<h:outputText id="example" value="#{myBean.value}">
<p:commandButton value="Save" action="#{myBean.saveValue}"/>
</form>
MyBean.java
@Named
@RequestScoped
public class MyBean {
@Inject
private DBService service;
private String value;
//getter, setter
public String saveValue() {
service.saveValue(value);
return "showall";
}
}
UniqueValueValidator.java
@Named
public class UniqueValueValidator implements Validator {
@Inject
private DBService service;
@Override
public void validate(FacesContext context, UIComponent component, Object value)
throws ValidatorException {
if(service.isValueNotUnique(value.toString()) {
// throw ValidatorException
}
}
}
我现在的问题是,在每个keyup事件上,都会验证值,并调用数据库。但我只想在提交表单时验证该值。
我的第一个解决方案是将验证转移到saveValue
方法中。
public String saveValue() {
if(service.isValueNotUnique(value) {
// add a FacesMessage
return null;
} else {
service.saveValue(value);
return "showall";
}
}
但在这里,我认为将验证代码和逻辑代码混合在一个方法中不是一个好的做法。
所以我希望你能给我一个更好的解决方案;)
问题在于inputText组件内的ajax标记:
<p:ajax event="keyup" update="example" process="@this" />
这意味着您将在每个keyup事件上提交组件。因此,每次都会调用验证器。
一个可能的解决方法是将验证器移动到另一个组件,遵循用于验证多个组件的相同技术:
在facelets页面中添加一个使用uniqueValueValidator
:的inputHidden
<h:form id="formId" >
<p:inputText id="value" value="#{myBean.value}" >
<p:ajax event="keyup" update="example" process="@this" />
</p:inputText>
<h:inputHidden id="hidden">
<f:validator validatorId="uniqueValueValidator" />
</h:inputHidden>
<p:message for="hidden" />
<p:commandButton value="Save" action="#{myBean.saveValue}" process="@form" update="@form"/>
</h:form>
UniqueValueValidator:
@Named
@FacesValidator("uniqueValueValidator")
public class UniqueValueValidator implements Validator {
@Inject
private DBService service;
@Override
public void validate(FacesContext context, UIComponent component, Object obj) {
Object inputValue = ((UIInput) context.getViewRoot().findComponent("formId:value")).getSubmittedValue();
if(service.isValueNotUnique((String) inputValue) {
// throw ValidatorException
}
}
}
}
这种方法和您的方法一样,意味着在每个keyup事件上都有一个输入内容的往返客户端-服务器客户端。如果没有必要,您可以使用javascript方法来避免它,如另一个答案中所解释的。
链接
- BalusC代码:多个组件的验证器
- jsf一次验证两个字段
您可以去掉p:inputText中的ajax请求,只需使用jquery将输入中的值复制到inputText中,如下所示:
<h:form id="myForm">
<p:inputText id="value" value="#{myBean.value}" onkeyup="$("#myForm\:example").html($(this).val()">
<f:validator binding="#{uniqueValueValidator}" />
</p:inputText>
<h:outputText id="example" value="#{myBean.value}">
<p:commandButton value="Save" action="#{myBean.saveValue}"/>
</form>