反射
2018-10-19 本文已影响0人
冬冬269
了解完类加载机制之后,再来了解一下反射。
1.什么是反射
我们也许都知道怎么使用反射的api,那到底什么是反射。我的理解是,反射是一个java提供的一种机制,我们可以使用这种机制,在运行时,根据Class对象动态的获取到它自身的构造方法,成员变量和方法,并且也是以对象的形式拿到的,我们可以通过这些对象,动态的去修改变量或调用方法。这个Class对象是类加载过程中的加载时创建的。类加载过程和类加载机制
2.如何使用反射
这里只是说一下常用api的使用,反射的上限很高,比如动态代理,热修复。一篇不可能说的完。
- 获取一个java.lang.Class对象的三种方式。
try{
Student student = new Student();
Class<? extends Student> aClass = student.getClass();
Class<Student> studentClass = Student.class;
Class<?> aClass1 = Class.forName("com.xdw.myapplication.fanshe.Student");
}catch(Exception t){
}
第三种是最常用的。
- 获取构造方法
try{
// Student student = new Student();
// Class<? extends Student> aClass = student.getClass();
// Class<Student> studentClass = Student.class;
Class<?> studentClass = Class.forName("com.xdw.myapplication.fanshe.Student");
Constructor<?>[] constructors = studentClass.getConstructors();
System.out.println("-------------所有的公开的构造方法--------------");
for(Constructor c:constructors){
System.out.println(c.getName());
}
System.out.println("-------------所有的构造方法--------------");
Constructor<?>[] declaredConstructors = studentClass.getDeclaredConstructors();
for(Constructor c:declaredConstructors){
System.out.println(c.getName());
}
System.out.println("-------------根据入参获得构造方法--------------");
Constructor<?> constructor = studentClass.getDeclaredConstructor(boolean.class);
Constructor<?> constructor2 = studentClass.getDeclaredConstructor(int.class);
constructor2.setAccessible(true);
constructor2.newInstance(10);
System.out.print("con = "+constructor.getName());
}catch(Exception t){
}
- 获取成员变量设置或调用方法。和构造方法都差不多,只是入参不同。所以就不全写出来了。成员变量和方法可以根据变量名和方法名拿到。
Field[] fields = studentClass.getFields();
Field phoneNum = studentClass.getDeclaredField("phoneNum");
phoneNum.setAccessible(true);
phoneNum.set(student,"1888888888888");
Method str = studentClass.getMethod("showPhoneNum", String.class);
str.invoke(student,"aa");
public class Student {
public Student(String str){
System.out.println("(默认)的构造方法 s = " + str);
}
//无参构造方法
public Student(){
System.out.println("调用了公有、无参构造方法执行了。。。");
}
//有一个参数的构造方法
public Student(char name){
System.out.println("姓名:" + name);
}
//有多个参数的构造方法
public Student(String name ,int age){
System.out.println("姓名:"+name+"年龄:"+ age);//这的执行效率有问题,以后解决。
}
//受保护的构造方法
protected Student(boolean n){
System.out.println("受保护的构造方法 n = " + n);
}
//私有构造方法
private Student(int age){
System.out.println("私有的构造方法 年龄:"+ age);
}
//**********字段*************//
public String name;
protected int age;
char sex;
private String phoneNum;
public void showPhoneNum(String str){
System.out.println(phoneNum);
}
}