静态代理:在程序编译时,代理类的.class文件已经存在了。
动态代理:在程序运行时,运用反射机制动态创建而成。
动态代理目前有两种代理机制:一种是基于JDK的动态代理;另一种是基于CGLib的动态代理。
JDK本身只提供接口的代理,而不支持类的代理。
CGLib本身只支持类的代理,而不支持接口的代理。
JDK动态代理
public interface IForumService { public void removeTopic(int topicId); public void removeForum(int forumId); }
public class ForumServiceImpl implements IForumService { public void removeTopic(int topicId){ System.out.println("模拟删除记录"+topicId); try{ Thread.currentThread().sleep(20); }catch(Exception e){ throw new RuntimeException(e); } } public void removeForum(int forumId){ System.out.println("模拟删除记录"+forumId); try{ Thread.currentThread().sleep(20); }catch(Exception e){ throw new RuntimeException(e); } } }
public class PerformanceHandler implements InvocationHandler { private Object target; //要进行代理的业务类的实例 public PerformanceHandler(Object target){ this.target = target; } //覆盖java.lang.reflect.InvocationHandler的方法invoke()进行织入(增强)的操作 public Object invoke(Object proxy, Method method, Object[] args) throws Throwable{ System.out.println("Object target proxy:"+target); System.out.println("模拟代理加强的方法..."); Object obj = method.invoke(target, args); //调用目标业务类的方法 System.out.println("模拟代理加强的方法执行完毕..."); return obj; } }
public class TestForumService { public static void main(String args[]){ //要进行代理的目标业务类 IForumService target = new ForumServiceImpl(); //用代理类把目标业务类进行编织 PerformanceHandler handler = new PerformanceHandler(target); //创建代理实例,它可以看作是要代理的目标业务类的加多了横切代码(方法)的一个子类 IForumService proxy = (IForumService)Proxy.newProxyInstance( target.getClass().getClassLoader(), target.getClass().getInterfaces(), handler); proxy.removeForum(10); proxy.removeTopic(20); } }
CGlib动态代理
public class CglibProxy implements MethodInterceptor { private Enhancer enhancer = new Enhancer(); //覆盖MethodInterceptor接口的getProxy()方法,设置 public Object getProxy(Class clazz){ enhancer.setSuperclass(clazz); //设置要创建子类的类 enhancer.setCallback(this); //设置回调的对象 return enhancer.create(); //通过字节码技术动态创建子类实例, } public Object intercept(Object obj,Method method,Object[] args, MethodProxy proxy) throws Throwable { System.out.println("模拟代理增强方法"); //通过代理类实例调用父类的方法,即是目标业务类方法的调用 Object result = proxy.invokeSuper(obj, args); System.out.println("模拟代理增强方法结束"); return result; } }
public class TestCglibProxy { public static void main(String args[]){ CglibProxy proxy = new CglibProxy(); //动态生成子类的方法创建代理类 ForumServiceImpl fsi = (ForumServiceImpl)proxy.getProxy(ForumServiceImpl.class); fsi.removeForum(10); fsi.removeTopic(2); } }