看到一篇写的很不错的反射机制的文章,讲的很细致,大家可以参考下:https://blog.csdn.net/sinat_38259539/article/details/71799078
借用文章里的一张图,帮助大家更好的理解反射中的Class对象
一.Class对象的获取
/**
* 最常用的一种方式,"com.example.reflect.Student"真实的类的路径
*/
Class aClass = null;
try {
aClass = Class.forName("com.example.reflect.Student");
} catch (ClassNotFoundException e) {
e.printStackTrace();
}
/**
* 通过对象获取
*/
Student student = new Student();
Class studentClass = student.getClass();
/**
* 通过类获取
*/
Class studentClass1 = Student.class;
二.反射获取构造方法
public class Student {
//无参构造方法
public Student(){
}
//有一个参数的构造方法
public Student(char name){
}
//有多个参数的构造方法
public Student(String name ,int age){
}
//受保护的构造方法
protected Student(boolean n){
}
//私有构造方法
private Student(int age){
}
}
/**
* 获取所有共有的构造方法
*/
Constructor[] constructors = aClass.getConstructors();
/**
* 获取所有 共有 私有 受保护的构造方法
*/
Constructor[] constructors1 = aClass.getDeclaredConstructors();
/**
* 获取共有 无参构造方法
*/
try {
Constructor constructor = aClass.getConstructor(null);
//调用构造方法
Object object = constructor.newInstance();
} catch (Exception e) {
e.printStackTrace();
}
/**
* 获取私有构造方法并调用
*/
try {
Constructor constructor = aClass.getDeclaredConstructor(char.class);
//暴力访问私有构造方法
constructor.setAccessible(true);
Object object = constructor.newInstance('男');
} catch (Exception e) {
e.printStackTrace();
}
三.反射获取成员变量
public class Student {
public String name;
protected int age;
char sex;
private String phoneNum;
}
/**
* 获取所有共有成员变量
*/
Field[] fields = aClass.getFields();
/**
* 获取所有 共有 私有 受保护的变量
*/
Field[] fields1 = aClass.getDeclaredFields();
/**
* 获取 共有的成员变量 并赋值
*/
try {
Field field = aClass.getField("name");
//获取对象
Object object = aClass.getConstructor().newInstance();
//调用方法
field.set(object,"巅峰杰酷");
} catch (Exception e) {
e.printStackTrace();
}
/**
* 获取私有成员变量 并赋值
*/
try {
Field field = aClass.getDeclaredField("phoneNum");
//获取对象
Object object = aClass.getConstructor().newInstance();
//暴力调用
field.setAccessible(true);
//赋值
field.set(object,"119");
} catch (Exception e) {
e.printStackTrace();
}
四.反射获取成员方法
public class Student {
public void show1(String s){
}
protected void show2(){
}
void show3(){
}
private String show4(int age){
return "abcd";
}
}
/**
* 获取所有共有成员方法
*/
Method[] methods = aClass.getMethods();
/**
* 获取所有 共有 私有 受保护的 成员方法
*/
Method[] methods1 = aClass.getDeclaredMethods();
/**
* 获取共有的成员方法并调用
*/
try {
//需要传入方法名和参数类型
Method method = aClass.getMethod("show1",String.class);
//获取对象
Object object = aClass.getConstructor().newInstance();
//方法调用
method.invoke(object,"巅峰杰酷到此一游");
} catch (Exception e) {
e.printStackTrace();
}
/**
* 获取私有成员方法并调用
*/
try {
//需要传入方法名和参数类型
Method method = aClass.getDeclaredMethod("show4",int.class);
//获取对象
Object object = aClass.getConstructor().newInstance();
//暴力访问
method.setAccessible(true);
//方法调用
method.invoke(object,18);
} catch (Exception e) {
e.printStackTrace();
}
更深入的反射大家可以自行研究下,好了,学完了放松下