反射所有功能都是通过class API来实现的
class常用API有:
1。class.GETINTERFACES();获得这个类实现的接口。
2。class。getMethods()
Method常用反射API
1.Method.invoke(),方法自己调用自己,方法调用必须通过object.method()方式,method对象本身是无法调用自己的。
2.Method.getParameterTypes()获得参数类型
3.Method.getReturnType()获得返回值类型
4.Method.getParameterCount()获得方法的参数个数
5.Method.getName()获得方法名称
6.Method.getExceptionTypes()获得方法抛出哪些异常
7.method.getAnnotation()获得注解
Field常用反射API
1.field.getAnnotations()返回属性的注解
通过反射可以获得属性Field。
1、定义一个实体类
- package cn.com.refelct;
- public class Emp {
- private int no;
- private int age;
- public String address;
- public String name;
- public Emp(int no, int age, String address, String name) {
- super();
- this.no = no;
- this.age = age;
- this.address = address;
- this.name = name;
- }
- }
2、获取Field
- Field[] publicFields = emp.getClass().getFields();
- for(Field field:publicFields){
- System.out.println(field);
- }
上述方式得到的结果如下:
- public java.lang.String cn.com.refelct.Emp.address
- public java.lang.String cn.com.refelct.Emp.name
可见:该种方式只能得到public属性的字段。
为了得到所有的Field,见如下代码:
- Field[] privateAndPublicFields = emp.getClass().getDeclaredFields();
- for(Field field:privateAndPublicFields){
- System.out.println(field);
- }
上述方式得到的结果如下:
- private int cn.com.refelct.Emp.no
- private int cn.com.refelct.Emp.age
- public java.lang.String cn.com.refelct.Emp.address
- public java.lang.String cn.com.refelct.Emp.name
通过Filed,可以获取对应的值:
(1)获取某个public属性的值
- Field nameField = emp.getClass().getField("name");
- System.out.println("name的值:" + nameField.get(emp));
得到的结果如下:
- name的值:yy
(2)获取某个private属性的值
- Field ageField = emp.getClass().getDeclaredField("age");
- System.out.println("age的值:" + ageField.get(emp));
结果如下:
- Exception in thread "main" java.lang.IllegalAccessException: Class cn.com.refelct.ReflectField can not access a member of class cn.com.refelct.Emp with modifiers "private"
- at sun.reflect.Reflection.ensureMemberAccess(Reflection.java:65)
- at java.lang.reflect.Field.doSecurityCheck(Field.java:960)
- at java.lang.reflect.Field.getFieldAccessor(Field.java:896)
- at java.lang.reflect.Field.get(Field.java:358)
- <span style="white-space:pre"> </span>at cn.com.refelct.ReflectField.main(ReflectField.java:44)
可见:对于private的属性,访问不了。
做如下修改:
- Field ageField = emp.getClass().getDeclaredField("age");
- ageField.setAccessible(true);
- System.out.println("age的值:" + ageField.get(emp));
通过暴力反射的方式进行值的获取。
结果如下:
- age的值:25
另外:对于static字段,当获取其值时,传入的对象为null或者任何一个实体类的对象。