1.字节码。所谓的字节码就是当java虚拟机载入某个类的对象时,首先须要将硬盘中该类的源码编译成class文件的二进制代码(字节码),然后将class文件的字节码载入到内存中,之后再创建该类的对象
2.java反射的基础是Class类(注意不是小写的class),Class类实例代表着内存中的一份字节码。常见的获取Class类对象的方法例如以下(第一种为对象的方法,另外一种为类的方法):
Dog dog = new Dog(); Class dogClass = dog.getClass(); Class dogClass = Class.forName("Dog"); Class dogClass = Dog.class;
//使用StringBuffer来构造String对象
String str1 = new String(new StringBuffer("hello"));
//获取String类对应的构造函数对象
Constructor c1 = String.class.getConstructor(StringBuffer.class);
//错误,这里的參数类型必须和获取构造函数时的參数类型(及StringBuffer.class)一致
String str2 = (String)c1.newInstance(new String("world"));
//正确
String str3 = (String)c1.newInstance(new StringBuffer("world"));
System.out.println(str3);
4.获取反射的字段。
import java.lang.reflect.Field;
class Point{
public int x;//这里是public
private int y;//注意这里是private
Point(int x,int y){
this.x = x;
this.y = y;
}
}
public class ReflectTest {
public static void main(String[] args) throws Exception {
Point p = new Point(2,3);
//getField仅仅能获得public的字段
Field fieldX = p.getClass().getField("x");
//获取x的值
System.out.println(fieldX.get(p));
//getDeclaredField能够获取全部字段
Field fieldY = p.getClass().getDeclaredField("y");
//设置y的属性
fieldY.setAccessible(true);
System.out.println(fieldY.get(p));
}
}
public static void main(String[] args) throws Exception { String s1 = "hello"; //參数为函数名,函数的參数(可变长) Method m = s1.getClass().getMethod("charAt", int.class); //參数为要调用的对象,以及函数的參数。这里假设第一个參数为null,表示调用的是类的静态方法 System.out.println(m.invoke(s1, 1)); }