内省(IntroSpector)是Java 语言对 Bean 类属性、事件的一种缺省处理方法。例如某 中有属性 name, 那我们可以通过 getName,setName 来得到其值或者设置新的值。 Java 中提供了一套 API 用来访问某个属性的 getter/setter 方法,通过这些 API 可以使你不需要了解这个规则,这些 API 存放于包 java.beans 中,一般的做法是通过类 Introspector 的 getBeanInfo方法 来获取某个对象的 BeanInfo 信息,然后通过 BeanInfo 来获取属性的描述器(PropertyDescriptor),通过这个属性描述器就可以获取某个属性对应的 getter/setter 方法,然后我们就可以通过反射机制来调用这些方法。例如- public class Student { //一个简单的JavaBean
- private String name;//字段
- public String getName() {
- return name;
- }
- public void setName(String name) {
- this.name = name;
- }
- }
复制代码 获取属性的第一种方式- public void test() throws Exception{
- Student student = new Student();
- //1.通过Introspector来获取bean对象的beaninfo
-
- BeanInfo bif = Introspector.getBeanInfo(Student.class);
- //2.通过beaninfo来获得属性描述器(propertyDescriptor)
-
- PropertyDescriptor pds[] = bif.getPropertyDescriptors();
- //3.通过属性描述器来获得对应的get/set方法
- for(PropertyDescriptor pd:pds){
- //4.获得并输出字段的名字
- System.out.println(pd.getName());
- //5.获得并输出字段的类型
- System.out.println(pd.getPropertyType());
- if(pd.getName().equals("name")){
- //6.获得PropertyDescriptor对象的写方法
- Method md = pd.getWriteMethod();
- //7.执行写方法
- md.invoke(student, "Wangyonghe");
- }
- }
- //8.输出所赋值字段的值
- System.out.println(student.getName());
- }
复制代码 获取属性的第二种方法- public void test01()throws Exception{
- Student st = new Student();
- //1.通过构造器来创建PropertyDescriptor对象
- PropertyDescriptor pd = new PropertyDescriptor("name", Student.class);
- //2.通过该对象来获得写方法
- Method method = pd.getWriteMethod();
- //3.执行写方法
- method.invoke(st, "Wangyonghe");
- //4.输出对象字段的值
- System.out.println(st.getName());
- //5.通过对象获得读方法
- method = pd.getReadMethod();
- //6.执行读方法并定义变量接受其返回值并强制塑形
- String name = (String) method.invoke(st, null);
- //7.输出塑形后的值
- System.out.println(name);
- }
复制代码 使用beanUtils操作javaBean
1.在项目中建一个文件,名为lib。复制commons-beanutils-1.8.3.jar 和commons-logging-1.1.1.jar放入lib中 然后项目-属性-Add External JARs- <font color="#000000">public class Demo {
-
- @Test
- public void test1() throws Exception
- {
- Student stu=new Student();
-
- //使用BeanUtils设置属性的值
- BeanUtils.setProperty(stu,"name","wyh");
-
- System.out.println(stu.getName());//打印wyh
- }
- //注意
- setProperty()方法中只支持传值只支持一些基本类 所以一些其它的类型就需要注册转换器</font>
复制代码 待续。。。
|
|