This is a very simple and powerful technique which can provide an easy solution to a number of event issues.
The case in point was where I wanted a value change event on an input component (a check box) to behave like an action event.
The value change event will normally fire after validation (after the Process validations phase). In my case, I wanted the event to be fired at the Invoke Application phase, as would happen with a button click. In other words, I wanted my checkbox to behave more like a button.
Whilst there are other ways around this kind of issue, they often involve messing with the JSF life cycle by using immediate components/calling render response early etc. and typically have other side effects. For example, in a Value change event you will not see the results of the bean setters being called as this has not happened yet, so you end up having to make JSF calls to manually update values early etc.
Instead, a value change event can easily be re-queued to occur in the Invoke Application phase. The beauty of this is that you are relocating the event rather than messing with the JSF lifecycle, which means that the event happens in the context you want it to, and everything is set up correctly.
To requeue an event, you must detect when it fires the first time, and then requeue it. When it fires the second time, you detect this again and perform the action that you desire.
Here is a code sample which does this:-
public void showInheritedListener(ValueChangeEvent event) {
/*
* Requeue this event to the Invoke Application phase so it behaves like an action
* This ensures that all the model values have been updated.
*/
if (event.getPhaseId() == PhaseId.INVOKE_APPLICATION) {
log.fine(this+":showInheritedListener: oldValue="+event.getOldValue()+", newvalue="+event.getNewValue());
boolean newValue = (Boolean)event.getNewValue();
changeInherited(newValue);
}
else {
event.setPhaseId(PhaseId.INVOKE_APPLICATION);
event.queue();
}
}
An important point to note is the use of event.getPhaseId() to detect which phase the event is currently being called in. In particular, when it is first called after the Process Validations phase, it is important to note that event.getPhaseId() will return PhaseId.ANY_PHASE, which is not expected or intuitive. You will see from the above code that by handling the first call to the event in the else clause of the if, we only have to test for the second call, when event.getPhaseId() will return PhaseId.INVOKE_APPLICATION as you would expect.
This technique is clean and simple to use, and does not suffer from unwanted side effects that other solutions have. It is well worth taking note of.