java 内省

来源:互联网 发布:淘宝招商是干嘛的 编辑:程序博客网 时间:2024/05/22 01:54
内省;内省的出现有利于了对类对象属性的操作,减少了代码的数量。
内省访问JavaBean有两种方法:
       一、通过Introspector类获得Bean对象的 BeanInfo,然后通过 BeanInfo 来获取属性的描述器( PropertyDescriptor ),通过这个属性描述器就可以获取某个属性对应的 getter/setter 方法,然后通过反射机制来调用这些方法。
       二、通过PropertyDescriptor来操作Bean对象

接下来要对Student 类对象进行操作,Student类源码如下:

public class Student {

private String name;//字段

public String getXxx(){//读方法

return "xx";

}

public String setXxx(){//写方法

return "xx";

}

public String getName() {

return name;

}

public void setName(String name) {

this.name = name;

}

}

首先、是第一种方式,源码如下:

@Test

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, "Lou_Wazor");

}

}

//8.输出所赋值字段的值

System.out.println(student.getName());

}

执行结果为:
class
class java.lang.Class
name
class java.lang.String
xxx
class java.lang.String
Lou_Wazor
以下是通过第二种方法来操作Bean对象,源码如下:

@Test

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, "Lou_Wazor");

//4.输出对象字段的值

System.out.println(st.getName());

//5.通过对象获得读方法

method = pd.getReadMethod();

//6.执行读方法并定义变量接受其返回值并强制塑形

String name = (String) method.invoke(st, null);

//7.输出塑形后的值

System.out.println(name);

}

执行结果为:
Lou_Wazor
Lou_Wazor 

原创粉丝点击