Retrieving value of JSF input field without managed bean property

13,312

Just do the same as JSF is doing under the covers: grabbing the HTTP request parameter. If you're familiar with basic HTML, you know that every HTML input element sends its name=value pair as HTTP request parameter.

Given a

<h:form id="formId">
    <p:inputText id="userId" /> <!-- Note: no value attribute at all, also no empty string! -->
    ...
    <p:commandButton value="submit" action="#{bean.submit}" />
</h:form>

which generates basically the following HTML

<form id="formId" name="formId">
    <input type="text" name="formId:userId" ... />
    ...
    <button type="submit" ...>submit</button>
</form>

you could grab it as follows from ExternalContext#getRequestParameterMap():

public void submit() {
    ExternalContext ec = FacesContext.getCurrentInstance().getExternalContext();
    String userId = ec.getRequestParameterMap().get("formId:userId");
    // ...
}

Don't forget to manually convert and validate it if necessary, like as JSF is doing under the covers. In other words, just repeat the JSF's job by writing additional code so that your code is not DRY :)

Share:
13,312
NKS
Author by

NKS

Updated on June 28, 2022

Comments

  • NKS
    NKS almost 2 years

    I would like to retrieve the value of JSF input box in a managed bean action method, without it being associated with any managed bean property. E.g.

    <p:inputText id="txtuserid" value="" />
    

    My use case is that in my application I will like to prompt user here and there for passwords for every DML operations, and therefore like to have a password and comment related fields on each of my UI, and the remarks needs to be saved in a common table for audit purpose.

    How can I achieve this?