Proxy位于 java.lang.reflect包下,想必和反射有着紧密的联系。个人认为java的动态代理,就是利用
java的反射,得到类的字节码,但又不完全相同,要为系统中的个各类接口的类增加代理功能,就需要太
多的代理类,如果全部采用静态代理的方式,又非常的繁琐,因此JVM设计了在运行期动态生成出类的字
节码,这种动态生成的类往往被用作代理类,即动态代理类。
以Collection为例,分析Proxy创建实例的两种方式
1
//得到字节码
Class clazzProxy1 = Proxy.getProxyClass(Collection.class.getClassLoader(), Collection.class);
//取得构造函数
Constructor constructor = clazzProxy1.getConstructor(InvocationHandler.class);
//创建代理对象
Collection proxy1 = (Collection)constructor.newInstance(new InvocationHandler{
public Object invoke(Object proxy, Method method, Object[] args)
throws Throwable {
// TODO Auto-generated method stub
return null;
}
} );
2
Collection proxy2 = (Collection)Proxy.newProxyInstance(
Collection.class.getClassLoader(),
new Class[]{Collection.class},
new InvocationHandler(){
ArrayList target = new ArrayList();
public Object invoke(Object proxy, Method method, Object[] args)
throws Throwable {
long beginTime = System.currentTimeMillis();
Object retVal = method.invoke(target, args);
long endTime = System.currentTimeMillis();
System.out.println(method.getName() + " running time of " + (endTime - beginTime));
return retVal;
}
}
);
这样一个目标位ArrayList的代理对象proxy2就创建出来了。