How to do client side updates in JSF 2.0
I'd like to do client side开发者_如何学运维 component updates. Example: disable a button when a checkbox is clicked:
<h:selectBooleanCheckbox value="true" onchange="button.disabled=true" />
<h:commandButton id="button" value="Save" />
The above doesn't work. Is there a way to do this declaratively in JSF?
It doesn't work because the JSF component ID is not necessarily the same as the generated HTML ID. JSF composes the HTML element ID and form element name based on the ID's of all UINamingContainer
components in the tree -if any. The UIForm
component is one of them. Rightclick the page in webbrowser and choose View Source. See and learn.
There are two ways to solve this problem:
Set
prependId
attribtue of<h:form>
tofalse
.<h:form prependId="false"> <h:selectBooleanCheckbox value="true" onclick="button.disabled=true" /> <h:commandButton id="button" value="Save" /> </h:form>
Note that I'd rather use
onclick="button.disabled=!checked"
instead. Theonchange
is only fired when the input element loses focus and that is non-intuitive in case of checkboxes and radiobuttons. Also, you'd like to turn it back on when the checkbox is checked again, right?Give the
<h:form>
a fixed ID so that you know how the generated form element name look like:<h:form id="form"> <h:selectBooleanCheckbox value="true" onclick="form['form:button'].disabled=true" /> <h:commandButton id="button" value="Save" /> </h:form>
The brace notation is mandatory because the
:
is an illegal identifier character and justonclick="form:button.disabled=true"
won't work. Also here, I'd rather useonclick="form['form:button'].disabled=!checked
instead.
The same problem applies on document.getElementById()
as well. So simply replacing button
by document.getElementById('button')
alone won't fix the problem.
simply use javascript
document.getElementById("buttonId").disabled="true";
Check this
精彩评论