how to initialize jsf 2.0 textfield on runtime?

1.5k Views Asked by At

I would like to initialize my textfield at runtime. For example, I have primefaces inputtext like this:

<p:inputText value="#{myBean.value}" id="inputText" />

And a bean class:

@PostConstruct
public void onPageLoad() {
    ....
    ....
    inputText.setMaxlength(15);
    inputText.setStyle(".....");
}

Is it possible to do this with jsf 2.0?

2

There are 2 best solutions below

3
On

You could do so by binding the component to the bean:

<p:inputText binding="#{bean.input}" ... />

with

private InputText input; // +getter+setter

@PostConstruct
public void init() {
    input = new InputText();
    input.setMaxlength(15);
    input.setStyle("background: pink;");
}

// ...

This is however not the recommended approach. You should rather bind the individual attributes to a bean property instead.

<p:inputText ... maxlength="#{bean.maxlength}" style="#{bean.style}" />

with

private Integer maxlength;
private String style; 

@PostConstruct
public void init() {
    maxlength = 15;
    style = "background: pink;";
}

// ...

Even more, if your app is well designed, then you should already have such a bean object for this (why/how else would you like to be able to specify it during runtime?). Make it a property of the managed bean instead so that you can do something like:

<p:inputText ... maxlength="#{bean.attributes.maxlength}" style="#{bean.attributes.style}" />
0
On

For this you can fetch component object from jsf framework using below code

UIComponent componentObj = FacesContext.getCurrentInstance().getViewRoot().findComponent(id)

then you can type cast component object in your tag component type like if you are using inputText

HtmlInputText inputTextObj = (HtmlInputText) componentObj;

and HtmlInputText class have all the getter setter for all available attribute in tag so you can set values like

inputTextObj.setMaxlength(15);
inputTextObj.setStyle(....);
inputTextObj.setDisabled();
inputTextObj.setReadonly();