实际上 Vaadin 的行为是正确的,但它遵循幅度规则(Yogendra Singh 已经提到过)请看一个例子
还请检查以下内容:
float value1 = 12.0f;
float value2 = 123123123;
BeanItem<Float> item1 = new BeanItem<Float>(value1);
BeanItem<Float> item2 = new BeanItem<Float>(value2);
System.out.println(" result 1: " + item1.getBean());
System.out.println(" result 2: " + item2.getBean());
结果:
result 1: 12.0
result 2: 1.2312312E8
所以正确的解决方案(如我所见)如下所示:
- 定义你自己的 Bean。没有理由让 BeanItem 包装浮点值。
- 定义您的 PropertyFormatter(示例)
- 需要注意的重要一点是,不应返回 String 而不是正确的数据类型。它将影响编辑、验证等。
PropertyFormatter 示例:
/** Integer formatter that accepts empty values. */
public class LenientIntegerFormatter extends PropertyFormatter {
public LenientIntegerFormatter(Property propertyDataSource) {
setPropertyDataSource(propertyDataSource);
}
@Override
public Object parse(String formattedValue) throws Exception {
if ("".equals(formattedValue))
return null;
else
return Integer.valueOf(formattedValue);
}
@Override
public String format(Object value) {
if (value == null)
return "";
return ((Integer) value).toString();
}
@Override
public Class<?> getType() {
return String.class;
}
}
它可能看起来有点吓人,但这是灵活性的代价。自定义 Bean 允许使用表格视图、表单等,而无需任何重大更改。基本上,这是 Vaadin UI 背后的数据模型。
第 9 章将组件绑定到数据
自定义 Bean 示例:
public class Bean implements Serializable {
String name;
float value;
public Bean(String name, float newValue) {
this.name = name;
this.value = newValue;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public float getValue() {
return value;
}
public void setValue(float newValue) {
this.value = newValue;
}
}
只是为了提供所有必需的见解:
Bean bean = new Bean("Test", value1);
BeanItem<Bean> beanItem = new BeanItem<Bean>(bean);
for(Object propertyId: beanItem.getItemPropertyIds()) {
System.out.println(" Property: '" + propertyId +
"' value: " + beanItem.getItemProperty(propertyId));
}
将打印:
Property: 'name' value: Test
Property: 'value' value: 12.0