使用JDK动态代理生成代理对象,只能代理实现了接口的类
public class JDKProxy implements InvocationHandler {
@Override
public Object invoke(Object proxy, Method method, Object[] args)
throws Throwable {
// TODO Auto-generated method stub
return null;
}
}
Object:被代理的对象,类
Method:要调用的方法
Object[]:方法调用时需要的参数
Proxy类:
Proxy类是专门完成代理的操作类,可以通过此类为一个或多个接口动态地生成实现类,此类提供了如下的操作方法:
public static Object newProxyInstance(ClassLoader loader, Class<?>[] interfaces,
InvocationHandler h) throws IllegalArgumentException
参数说明:
ClassLoader loader:类加载器
Class<?>[] interfaces:得到全部的接口
InvocationHandler h:得到InvocationHandler接口的子类实例
Ps:类加载器
在Proxy类中的newProxyInstance()方法中需要一个ClassLoader类的实例,ClassLoader实际上对应的是类加载器,在Java中主要有一下三种类加载器;
Booststrap ClassLoader:此加载器采用C++编写,一般开发中是看不到的;
Extendsion ClassLoader:用来进行扩展类的加载,一般对应的是jre\lib\ext目录中的类;
AppClassLoader:(默认)加载classpath指定的类,是最常使用的是一种加载器。
public class JDKProxy implements InvocationHandler {Proxy类中的newProxyInstance()方法中的最后一个参数this,因为该方法所在的类实现了InvocationHandler接口,所以用this,这里我们通过bind方法就可以动态的绑定你所要代理的接口实现类了。
Object target = null;
public Object bind(Object target) {
this.target = target;
return Proxy.newProxyInstance(target.getClass().getClassLoader(), target.getClass().getInterfaces(), this);
}
@Override
public Object invoke(Object proxy, Method method, Object[] args)
throws Throwable {
// TODO Auto-generated method stub
Object result = null;
System.out.println("begin---------------");
result = method.invoke(target, args);
System.out.println("end------------------");
return result;
}
}
JDKProxy p = new JDKProxy();调用
QueryDAO q = (QueryDAO) p.bind(new QueryDAOImpl());
后面还有CGLIB,JAVASISIT等实现动态代理的方法,这里不再细讲了,的确理解上有点困难,而且不常用,最常用的就是JDK的动态代理了。