我制作了一个带有后台UIInput
的复合组件。它包含一个数字微调器。当微调器发生更改时,新值不会发送到后台组件。
我已经简化了情况(支持似乎没有必要,但问题仍然存在(。
Sytem.out.println
突出了这个问题。
复合组件:
<cc:interface componentType="periodInput" >
<cc:attribute name="value" type="org.joda.time.Period" />
</cc:interface>
<cc:implementation>
<p:spinner id="count" min="0" binding="#{cc.countComponent}" converter="javax.faces.Integer" label="Every "/>
</cc:implementation>
背衬组件:
@FacesComponent("periodInput")
public class PeriodBacking extends UIInput implements NamingContainer {
private UIInput countComponent;
// And getter & setter.
@Override
public void encodeBegin(FacesContext context) throws IOException {
Period period = (Period) getValue();
if(period == null) {
period = Period.weeks(1).withPeriodType(PeriodType.weeks());
}
int count;
count = period.get(period.getFieldTypes()[0]);
countComponent.setValue(count);
super.encodeBegin(context);
}
@Override
public Object getSubmittedValue() {
return this;
}
@Override
protected Object getConvertedValue(FacesContext context, Object newSubmittedValue) {
// PROBLEM: Always prints out '1':
System.out.println("Count: " + count);
int count = (Integer) countComponent.getValue();
Period totalPeriod = new Period(0).withDays(count);
return totalPeriod;
}
@Override
public String getFamily() {
return UINamingContainer.COMPONENT_FAMILY;
}
}
复合组件是这样使用的:
<custom:Period value="#{cc.attrs.trackedproduct.samplePeriod}" />
其中trackedproduct
存在于@ViewScoped
bean中。
int count = (Integer) countComponent.getValue();
您应该得到提交的值,而不是模型值。此时(在转换/验证阶段(,模型值尚未由提交/转换/验证的值更新。
int count = Integer.valueOf((String) countComponent.getSubmittedValue());
与具体问题无关,您的getSubmittedValue()
和getConvertedValue()
未正确实现。这应该做到:
@Override
public Object getSubmittedValue() {
return countComponent.getSubmittedValue();
}
@Override
protected Object getConvertedValue(FacesContext context, Object newSubmittedValue) {
int count = Integer.valueOf((String) newSubmittedValue);
Period totalPeriod = new Period(0).withDays(count);
return totalPeriod;
}
另请参阅:
- 具有多个输入组件的复合组件-包含如何正确编写此类支持组件的详细说明