我正在使用BeanUtils来操作通过JAXB创建的Java对象,我遇到了一个有趣的问题。有时,JAXB会创建一个这样的Java对象:
public class Bean {
protected Boolean happy;
public Boolean isHappy() {
return happy;
}
public void setHappy(Boolean happy) {
this.happy = happy;
}
}
以下代码工作得很好:
Bean bean = new Bean();
BeanUtils.setProperty(bean, "happy", true);
但是,试图得到 happy
这样的财产:
Bean bean = new Bean();
BeanUtils.getProperty(bean, "happy");
结果出现此异常:
Exception in thread "main" java.lang.NoSuchMethodException: Property 'happy' has no getter method in class 'class Bean'
将所有内容更改为基元 boolean
允许set和get调用工作。但是,我没有这个选项,因为这些是生成的类。我认为这是因为Java Bean库只考虑一个 is<name>
如果返回类型是基元,则表示属性的方法 boolean
,而不是包装类型 Boolean
。有没有人建议如何通过BeanUtils访问这些属性?我可以使用某种解决方法吗?
最后我找到了法律确认:
8.3.2布尔属性
另外,对于布尔属性,我们允许getter方法匹配模式:
public boolean is<PropertyName>();
从 JavaBeans规范。你确定你没有遇到过 JAXB-131 错误?
使用BeanUtils处理Boolean isFooBar()的解决方法
- 创建新的BeanIntrospector
private static class BooleanIntrospector implements BeanIntrospector{
@Override
public void introspect(IntrospectionContext icontext) throws IntrospectionException {
for (Method m : icontext.getTargetClass().getMethods()) {
if (m.getName().startsWith("is") && Boolean.class.equals(m.getReturnType())) {
String propertyName = getPropertyName(m);
PropertyDescriptor pd = icontext.getPropertyDescriptor(propertyName);
if (pd == null)
icontext.addPropertyDescriptor(new PropertyDescriptor(propertyName, m, getWriteMethod(icontext.getTargetClass(), propertyName)));
else if (pd.getReadMethod() == null)
pd.setReadMethod(m);
}
}
}
private String getPropertyName(Method m){
return WordUtils.uncapitalize(m.getName().substring(2, m.getName().length()));
}
private Method getWriteMethod(Class<?> clazz, String propertyName){
try {
return clazz.getMethod("get" + WordUtils.capitalize(propertyName));
} catch (NoSuchMethodException e) {
return null;
}
}
}
注册BooleanIntrospector:
BeanUtilsBean.getInstance()。getPropertyUtils()。addBeanIntrospector(new BooleanIntrospector());
你可以用SET创建第二个getter - sufix作为解决方法:)