内省(Introspector)

为什么要学内省?
开发框架时,经常需要使用java对象的属性来封装程序的数据,每次都使用反射技术完成此类操作过于麻烦,所以sun公司开发了一套API,专门用于操作java对象的属性。
什么是Java对象的属性和属性的读写方法?
内省访问JavaBean属性的两种方式:
通过PropertyDescriptor类操作Bean的属性

通过Introspector类获得Bean对象的 BeanInfo,然后通过 BeanInfo 来获取属性的描述器( PropertyDescriptor ),通过这个属性描述器就可以获取某个属性对应的 getter/setter 方法,然后通过反射机制来调用这些方法。

内省是 Java 语言对 Bean 类属性的一种缺省处理方法。例如类 A 中有属性 name, 可以通过 getName,setName 来得到其值或者设置新的值。通过 getName/setName 来访问 name 属性,这是默认的规则。 Java 中提供了一套 API 来访问某个属性的 getter/setter 方法。
一般的做法是通过类 Introspector 来获取某个对象的 BeanInfo 信息,然后通过 BeanInfo 来获取属性的描述器( PropertyDescriptor ),通过这个属性描述器就可以获取某个属性对应的 getter/setter 方法,然后通过反射机制来调用这些方法

例:

package com.hbsi.introspector;


import java.beans.BeanInfo;
import java.beans.IntrospectionException;
import java.beans.Introspector;
import java.beans.PropertyDescriptor;
import java.lang.reflect.InvocationTargetException;
import java.lang.reflect.Method;


import org.junit.Test;


public class Demo1 {


/**
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub


}
//通过内省获取person bean的所有属性
@Test
public void test1() throws Exception{
BeanInfo bi=Introspector.getBeanInfo(Person.class,Object.class);

PropertyDescriptor[] pds=bi.getPropertyDescriptors();

for(PropertyDescriptor pd:pds){
String name=pd.getName();
System.out.println(name);
}

}


//通过内省给person的name属性赋值:abc setName("abc")
@Test
public void test2() throws IntrospectionException, IllegalArgumentException, IllegalAccessException, InvocationTargetException{

Person p=new Person();

BeanInfo bi=Introspector.getBeanInfo(Person.class);

PropertyDescriptor[] pds=bi.getPropertyDescriptors();

for(PropertyDescriptor pd:pds){
String name=pd.getName();
if(name.equals("name")){
Method m=pd.getWriteMethod();
m.invoke(p, "abc");
}
}
System.out.println(p.getName());
}


//通过PropertyDescriptor类操作Bean的属性 name属性赋值:ffff setName("abc")

@Test
public void Test3() throws IntrospectionException, IllegalArgumentException, IllegalAccessException, InvocationTargetException{

Person p=new Person();

PropertyDescriptor pd=new PropertyDescriptor("name", p.getClass());

Method m=pd.getWriteMethod();

m.invoke(p,"ffff");

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

}

@Test
public void Test4() throws IntrospectionException, IllegalArgumentException, IllegalAccessException, InvocationTargetException{
Person p=new Person();
p.setName("abcdef");

PropertyDescriptor pd=new PropertyDescriptor("name",p.getClass());

Method m=pd.getReadMethod();

String str=(String)m.invoke(p, null);
System.out.println(str);
}





}



package com.hbsi.introspector;


public class Person {

private String name;
private int age;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}

public String getAb(){
return null;
}




}

你可能感兴趣的:(int)