How can I populate a text field using PrimeFaces AJAX after validation errors occur?

37,714

Solution 1

The cause of the problem can be understood by considering the following facts:

  • When JSF validation succeeds for a particular input component during the validations phase, then the submitted value is set to null and the validated value is set as local value of the input component.

  • When JSF validation fails for a particular input component during the validations phase, then the submitted value is kept in the input component.

  • When at least one input component is invalid after the validations phase, then JSF will not update the model values for any of the input components. JSF will directly proceed to render response phase.

  • When JSF renders input components, then it will first test if the submitted value is not null and then display it, else if the local value is not null and then display it, else it will display the model value.

  • As long as you're interacting with the same JSF view, you're dealing with the same component state.

So, when the validation has failed for a particular form submit and you happen to need to update the values of input fields by a different ajax action or even a different ajax form (e.g. populating a field depending on a dropdown selection or the result of some modal dialog form, etc), then you basically need to reset the target input components in order to get JSF to display the model value which was edited during invoke action. Otherwise JSF will still display its local value as it was during the validation failure and keep them in an invalidated state.

One of the ways in your particular case is to manually collect all IDs of input components which are to be updated/re-rendered by PartialViewContext#getRenderIds() and then manually reset its state and submitted values by EditableValueHolder#resetValue().

FacesContext facesContext = FacesContext.getCurrentInstance();
PartialViewContext partialViewContext = facesContext.getPartialViewContext();
Collection<String> renderIds = partialViewContext.getRenderIds();

for (String renderId : renderIds) {
    UIComponent component = viewRoot.findComponent(renderId);
    EditableValueHolder input = (EditableValueHolder) component;
    input.resetValue();
}

You could do this inside the handleAddressChange() listener method, or inside an reuseable ActionListener implementation which you attach as <f:actionListener> to the input component which is calling the handleAddressChange() listener method.


Coming back to the concrete problem, I'd imagine that this is an oversight in the JSF2 specification. It would make much more sense to us, JSF developers, when the JSF specification mandates the following:

  • When JSF needs to update/re-render an input component by an ajax request, and that input component is not included in the process/execute of the ajax request, then JSF should reset the input component's value.

This has been reported as JSF issue 1060 and a complete and reuseable solution has been implemented in the OmniFaces library as ResetInputAjaxActionListener (source code here and showcase demo here).

Update 1: Since version 3.4, PrimeFaces has based on this idea also introduced a complete and reusable solution in flavor of <p:resetInput>.

Update 2: Since version 4.0, the <p:ajax> got a new boolean attribute resetValues which should also solve this kind of problem without the need for an additional tag.

Update 3: JSF 2.2 introduced <f:ajax resetValues>, following the same idea as <p:ajax resetValues>. The solution is now part of standard JSF API.

Solution 2

As BalusC explained, you can also add a reusable listener that cleans all input values, for instance:

public class CleanLocalValuesListener implements ActionListener {

@Override
public void processAction(ActionEvent actionEvent) throws AbortProcessingException {
    FacesContext context = FacesContext.getCurrentInstance();
    UIViewRoot viewRoot = context.getViewRoot();
    List<UIComponent> children = viewRoot.getChildren();

    resetInputValues(children);
}

private void resetInputValues(List<UIComponent> children) {
    for (UIComponent component : children) {
        if (component.getChildCount() > 0) {
            resetInputValues(component.getChildren());
        } else {
            if (component instanceof EditableValueHolder) {
                EditableValueHolder input = (EditableValueHolder) component;
                input.resetValue();
            }
        }
    }
  }
}

And use it whenever you need to clean your local values:

<f:actionListener type="com.cacib.bean.CleanLocalValuesListener"/>

Solution 3

Inside your tag <p:ajax/>, please add an attribute resetValues="true" to tell the view to fetch data again, in this way should be able to fix your problem.

Share:
37,714

Related videos on Youtube

Erick Martinez
Author by

Erick Martinez

Updated on April 20, 2020

Comments

  • Erick Martinez
    Erick Martinez about 4 years

    I have a form in a view which performs ajax partial processing for autocompletion and gmap localization. My backing bean instantiates an entity object "Address" and is to this object that the form's inputs are referenced:

    @ManagedBean(name="mybean")
    @SessionScoped
    public class Mybean implements Serializable {
        private Address address;
        private String fullAddress;
        private String center = "0,0";
        ....
    
        public mybean() {
            address = new Address();
        }
        ...
       public void handleAddressChange() {
          String c = "";
          c = (address.getAddressLine1() != null) { c += address.getAddressLine1(); }
          c = (address.getAddressLine2() != null) { c += ", " + address.getAddressLine2(); }
          c = (address.getCity() != null) { c += ", " + address.getCity(); }
          c = (address.getState() != null) { c += ", " + address.getState(); }
          fullAddress = c;
          addMessage(new FacesMessage(FacesMessage.SEVERITY_INFO, "Full Address", fullAddress));
          try {
                geocodeAddress(fullAddress);
            } catch (MalformedURLException ex) {
                Logger.getLogger(Mybean.class.getName()).log(Level.SEVERE, null, ex);
            } catch (UnsupportedEncodingException ex) {
                Logger.getLogger(Mybean.class.getName()).log(Level.SEVERE, null, ex);
            } catch (IOException ex) {
                Logger.getLogger(Mybean.class.getName()).log(Level.SEVERE, null, ex);
            } catch (ParserConfigurationException ex) {
                Logger.getLogger(Mybean.class.getName()).log(Level.SEVERE, null, ex);
            } catch (SAXException ex) {
                Logger.getLogger(Mybean.class.getName()).log(Level.SEVERE, null, ex);
            } catch (XPathExpressionException ex) {
                Logger.getLogger(Mybean.class.getName()).log(Level.SEVERE, null, ex);
            }
        }
    
        private void geocodeAddress(String address)
                throws MalformedURLException, UnsupportedEncodingException,
                IOException, ParserConfigurationException, SAXException,
                XPathExpressionException {
    
            // prepare a URL to the geocoder
            address = Normalizer.normalize(address, Normalizer.Form.NFD);
            address = address.replaceAll("[^\\p{ASCII}]", "");
    
            URL url = new URL(GEOCODER_REQUEST_PREFIX_FOR_XML + "?address="
                    + URLEncoder.encode(address, "UTF-8") + "&sensor=false");
    
            // prepare an HTTP connection to the geocoder
            HttpURLConnection conn = (HttpURLConnection) url.openConnection();
            Document geocoderResultDocument = null;
    
            try {
                // open the connection and get results as InputSource.
                conn.connect();
                InputSource geocoderResultInputSource = new InputSource(conn.getInputStream());
    
                // read result and parse into XML Document
                geocoderResultDocument = DocumentBuilderFactory.newInstance().newDocumentBuilder().parse(geocoderResultInputSource);
            } finally {
                conn.disconnect();
            }
    
            // prepare XPath
            XPath xpath = XPathFactory.newInstance().newXPath();
    
            // extract the result
            NodeList resultNodeList = null;
    
            // c) extract the coordinates of the first result
            resultNodeList = (NodeList) xpath.evaluate(
                    "/GeocodeResponse/result[1]/geometry/location/*",
                    geocoderResultDocument, XPathConstants.NODESET);
            String lat = "";
            String lng = "";
            for (int i = 0; i < resultNodeList.getLength(); ++i) {
                Node node = resultNodeList.item(i);
                if ("lat".equals(node.getNodeName())) {
                    lat = node.getTextContent();
                }
                if ("lng".equals(node.getNodeName())) {
                    lng = node.getTextContent();
                }
            }
            center = lat + "," + lng;
        }
    

    Autocompletion and map ajax requests work fine before I process the whole form on submit. If validation fails, ajax still works ok except for the field fullAddress which is unable to update in the view, even when it's value is correctly set on the backing bean after the ajax request.

    <h:outputLabel for="address1" value="#{label.addressLine1}"/>
    <p:inputText required="true" id="address1" 
              value="#{mybean.address.addressLine1}">
      <p:ajax update="latLng,fullAddress" 
              listener="#{mybean.handleAddressChange}" 
              process="@this"/>
    </p:inputText>
    <p:message for="address1"/>
    
    <h:outputLabel for="address2" value="#{label.addressLine2}"/>
    <p:inputText id="address2" 
              value="#{mybean.address.addressLine2}" 
              label="#{label.addressLine2}">
      <f:validateBean disabled="#{true}" />
      <p:ajax update="latLng,fullAddress" 
              listener="#{mybean.handleAddressChange}" 
              process="address1,@this"/>
    </p:inputText>
    <p:message for="address2"/>
    
    <h:outputLabel for="city" value="#{label.city}"/>
    <p:inputText required="true" 
              id="city" value="#{mybean.address.city}" 
              label="#{label.city}">
      <p:ajax update="latLng,fullAddress" 
              listener="#{mybean.handleAddressChange}" 
              process="address1,address2,@this"/>
    </p:inputText>
    <p:message for="city"/>
    
    <h:outputLabel for="state" value="#{label.state}"/>
    <p:autoComplete id="state" value="#{mybean.address.state}" 
              completeMethod="#{mybean.completeState}" 
              selectListener="#{mybean.handleStateSelect}"
              onSelectUpdate="latLng,fullAddress,growl" 
              required="true">
      <p:ajax process="address1,address2,city,@this"/>
    </p:autoComplete>
    <p:message for="state"/> 
    
    <h:outputLabel for="fullAddress" value="#{label.fullAddress}"/>
    <p:inputText id="fullAddress" value="#{mybean.fullAddress}" 
              style="width: 300px;"
              label="#{label.fullAddress}"/>
    <p:commandButton value="#{label.locate}" process="@this,fullAddress"
              update="growl,latLng" 
              actionListener="#{mybean.findOnMap}" 
              id="findOnMap"/>
    
    <p:gmap id="latLng" center="#{mybean.center}" zoom="18" 
              type="ROADMAP" 
              style="width:600px;height:400px;margin-bottom:10px;" 
              model="#{mybean.mapModel}" 
              onPointClick="handlePointClick(event);" 
              pointSelectListener="#{mybean.onPointSelect}" 
              onPointSelectUpdate="growl" 
              draggable="true" 
              markerDragListener="#{mybean.onMarkerDrag}" 
              onMarkerDragUpdate="growl" widgetVar="map"/>
    <p:commandButton id="register" value="#{label.register}" 
              action="#{mybean.register}" ajax="false"/>
    

    If I refresh the page, validation error messages disappear and the ajax completes fullAddress field as expected.

    Another weird behavior occurs also during validation: I have disabled bean validation for a form field, as seen on the code. This work alright until other validation errors are found, then, if I resubmit the form, JSF makes bean validation for this field!

    I guess I am missing something in during the validation state but I can't figure out what's wrong with it. Does anyone knows how to debug JSF life cycle? Any ideas?

  • BalusC
    BalusC about 11 years
    This approach fails for inputs in repeater components like <ui:repeat> and <h:dataTable>. You really need a full tree visit. See also the link to ResetInputAjaxActionListener source code in my answer.
  • Zbyszek
    Zbyszek almost 10 years
    I wander if it is something profoundly wrong, when simple and trivial tasks, requires that amount knowledge and lines of code. Something is wrong with this technology, I don't know if it is still a tool for a programmers, or a tool for administrators to do tasks, that nobody should care of.
  • BalusC
    BalusC over 9 years
    Noted should be that this wasn't available at the moment the OP asked the question. As you can note in my answer, PrimeFaces acknowledged this problem based on my answer and added improvements to their library afterwards.
  • Shady Hussein
    Shady Hussein about 8 years
    As usual, you saved me after more than one day looking into this issue. I always used primefaces before that is why i never came across this problem. Thanks @balusC
  • Farhan Shirgill Ansari
    Farhan Shirgill Ansari about 8 years
    @BalusC: For the first bullet point, when you have collected the user entered value by input.setSubmittedValue(request.getParameter(input.getClient‌​Id())). After validation succeeds, this submitted value is set to null. and the validated value is then set as local value. What is the difference b/w this local value and bean value. I had the impression that the submitted value is set after validation success as bean instance variable value, i.e in UPDATE MODEL VALUES PHASE.
  • BalusC
    BalusC about 8 years
    @Shirgill: the local value is the converted/validated submitted value (and thus not necessarily String, while a submitted value is always String).
  • mittal
    mittal over 6 years
    @BalusC: Thanks, your answer helped me understand how the renderResponse phase works. I am using JSF 2.3. In my case, I am facing no issue in resetting the values of any field other than input fields in the dataTable. And, it that case, even if I use your "Update 3" solution, it doesn't help. Does the method to reset values not work for dataTables?