Java内省机制和 BeanUtils实现
内省(Introspector)
Java 语言对 Bean 类属性、事件的一种缺省处理方法。
例如类 A 中有属性 name, 那我们可以通过 getName,setName 来得到其值或者设置新的值。
通过 getName/setName 来访问 name 属性,这就是默认的规则。
Java 中提供了一套 API 用来访问某个属性的 getter/setter 方法,这些 API 存放于包 java.beans 中。
一般的做法
通过类 Introspector 来获取某个对象的 BeanInfo 信息,然后通过 BeanInfo 来获取属性的描述器( PropertyDescriptor )。
接着通过这个属性描述器就可以获取某个属性对应的 getter/setter 方法,最后我们可以使用反射机制来调用这些方法。
简单例子:
public class IntrospectorDemo {
String name;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public static void main(String[] args) throws Exception {
IntrospectorDemo demo = new IntrospectorDemo();
demo.setName("Winter Lau");
// 如果不想把父类的属性也列出来的话,
// 那 getBeanInfo 的第二个参数填写父类的信息
BeanInfo bi = Introspector.getBeanInfo(demo.getClass(), Object.class);
PropertyDescriptor[] props = bi.getPropertyDescriptors();
for (int i = 0; i < props.length; i++) {
System.out.println(props[i].getName() + "="
+ props[i].getReadMethod().invoke(demo, null));
}
}
}
其它使用场合:
1、Struts中的FormBean
它通过内省机制来将表单中的数据映射到类的属性上,因此要求 FormBean 的每个属性要有 getter/setter 方法。
2、Apache beanutils工具包
由于内省API比较繁琐,Apache组织结合很多实际开发中的应用场景实现了一套简单、易用的API操作Bean的属性 -- BeanUtils。它包括:
BeanUtils
PropertyUtils
ConvertUtils.register(Converter convert, Class clazz)
参考:
http://blog.csdn.net/mageshuai/article/details/4061334
http://wenku.baidu.com/view/4f369853ad02de80d4d8407a.html