动态代理实现原理

2018-12-05  本文已影响0人  a乐乐_1234

动态代理是一种方便运行时动态构建代理、动态处理方法调用的机制,很多场景都是利用类似的机制实现的,比如用于包装RPC的远程调用、面向切面编程(AOP)等

实现原理

实现动态代理的方式很多,比如JDK提供的动态代理,主要就是利用到了反射机制。还有一些第三方的框架,比如更高性能的字节码操作技术,具体实现有ASM、CGLIB(基于ASM)、Javassist等。这里通过JDK提供的动态代理代码,了解下其实现原理。主要涉及到Proxy、InvocationHandler两个类

Proxy

位于java.lang.reflect包下,显然跟反射有关。Proxy提供了一个静态方法用于动态创建代理对象,下面用于创建Foo接口的代理对象。

//调用目标方法前后处理实现
InvocationHandler handler = new MyInvocationHandler(...);
//创建代理类
Class<?> proxyClass = Proxy.getProxyClass(Foo.class.getClassLoader(), Foo.class);
//创建代理对象
Foo f = (Foo) proxyClass.getConstructor(InvocationHandler.class).
                       newInstance(handler);

或者:
Foo f = (Foo) Proxy.newProxyInstance(Foo.class.getClassLoader(),
                                            new Class<?>[] { Foo.class },
                                            handler);

//InvocationHandler接口
public interface InvocationHandler {
    public Object invoke(Object proxy, Method method, Object[] args) throws Throwable;
}
//MyInvocationHandler实现
public MyInvocationHandler implements InvocationHandler {
      private Object target;//目标对象,实现了Foo接口
      public MyInvocationHandler(Object target){
          this.target = target;
      }

      @Override
      public Object invoke(Object proxy, Method method, Object[] args) throws Throwable{
          //前处理
          Object result = method.invoke(target,args);
          //后处理
        return result;
    }
}

动态代理类实现了Foo接口,也可以创建多个接口的代理类,MyInvocationHandler是InvocationHandler 的实现,用于在调用目标对象的方法前后进行其他处理。
生成的代理类有以下特点:

Proxy.newProxyInstance方法
public static Object newProxyInstance(ClassLoader loader,Class<?>[] interfaces,InvocationHandler h)throws IllegalArgumentException
{
//判空
Objects.requireNonNull(h);
final Class<?>[] intfs = interfaces.clone();
//先从缓存中搜索
Class<?> cl = getProxyClass0(loader, intfs);
//获取构造器,Class<?>[] constructorParams = { InvocationHandler.class };
final Constructor<?> cons = cl.getConstructor(constructorParams);
//创建代理对象
return cons.newInstance(new Object[]{h});
}

应用场景

各种动态代理实现的比较

通过上面的例子,我们知道JDK动态代理必须提供接口,也就是它只能生成接口的代理实现对象,如果被调用者没有实现接口或者部分方法不是接口中的实现,那如何生成代理对象呢?这时就可以考虑其他方式了,我们知道Spring AOP支持两种代理模式,JDK代理和CGLIB,如果选择CGLIB是不需要被调用者实现接口的。
CGLIB代理机制是创建目标类的子类,这样子类就可以调用父类中的方法了,同样实现了代理机制。
那么在开发中如何选择呢?
JDK Proxy

CGLIB

上一篇下一篇

猜你喜欢

热点阅读