前言:
调用的运行时类为Person 为上篇文章已经详细给出的Person类
文章地址:Java 反射–获取类的内部结构详解
一、可以通过调用运行时类中指定的属性,获取,设置属性的值。
代码如下:
@Test public void test() throws Exception { Class<Person> clazz = Person.class; //获取运行时类的对象 Person person = clazz.newInstance(); //获取运行时类中的属性权限为private的 //通常不用此方法 Field id = clazz.getField("id"); //设置当前的属性值:set():参数1.指定设置哪个对象的属性值 参数2.将此属性值设置为多少 id.set(person,1024); //获取当前属性 //参数1:获取当前哪个对象的当前属性值 int pid = (int) id.get(person); System.out.println(pid); //1024 } @Test public void test1() throws Exception { Class<Person> clazz = Person.class; //1.获取运行时类的对象 Person person = clazz.newInstance(); //2.获取运行时类中的属性权限 Field name = clazz.getDeclaredField("name"); //3.保证当前属性是可访问的 name.setAccessible(true); //4.获取,设置此参数的属性值 name.set(person,"Android程序员"); System.out.println(name.get(person)); //Android程序员 }
二、调用运行时类中指定的方法:
@Test public void test2() throws Exception { Class<Person> clazz = Person.class; //创建运行时类的对象 Person person = clazz.newInstance(); //1.获取指定的某个方法 Method show = clazz.getDeclaredMethod("show",String.class); //2.保证当前方法是可访问的 show.setAccessible(true); //3.调用方法的invoke():参数1:方法的调用者 参数2:给方法形参赋值的参数 //invoke()的返回值即为对应类中调用的方法的返回值 Object obj=show.invoke(person,"CHA"); System.out.println(obj); //调用静态方法 Method showDesc = clazz.getDeclaredMethod("showDesc"); showDesc.setAccessible(true); //如果调用的运行时类中的方法没有返回值,则此invoke()返回null Object returnValue = showDesc.invoke(Person.class); // Object returnValue = showDesc.invoke(null); System.out.println(returnValue); }
输出结果:
我的国籍是:CHA CHA 我是一个可爱的人! null
三、调用运行时类中指定的构造器
@Test public void test3() throws Exception { Class<Person> clazz = Person.class; //1.获取指定的构造器 Constructor<Person> constructor = clazz.getDeclaredConstructor(String.class); //2.保证此构造器是可访问的 constructor.setAccessible(true); //3.调用此构造器创建运行时类的对象 Person person = constructor.newInstance("Tom"); System.out.println(person); }
输出结果:
Person{name='Tom', age=0, id=0}