AOP的底层是通过Spring提供的的动态代理技术实现的。 在运行期间,Spring通过动态代理技术动态的生成代理对象,代理对象方法执行时进行增强功能的介入,在去调用目标对象的方法,从而完成功能的增强。

一、JDK代理:基于接口的动态代理技术

  1. //目标对象
  2. final Target target = new Target();
  3. //增强对象
  4. final Advice advice = new Advice();
  5. //返回值就是动态生成的代理对象
  6. TargetInterface proxy = (TargetInterface)Proxy.newProxyInstance(
  7. target.getClass().getClassLoader(), // 目标对象类加载器
  8. target.getClass().getInterfaces(), // 目标对象相同的接口字节码对象数组
  9. new InvocationHandler() {
  10. // 调用代理对象的任何方法,实质执行的都是invoke方法
  11. public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
  12. advice.before(); // 前置增强
  13. Object invoke = method.invoke(target, args); // 执行目标方法
  14. advice.afterReturning(); // 后置增强
  15. return invoke;
  16. }
  17. )

二、cglib代理:基于父类的动态代理技术

  1. final Target target = new Target();
  2. //增强对象
  3. final Advice advice = new Advice();
  4. // 返回值 就是动态生成的代理对象基于cg1ib
  5. // 1、创建增强器
  6. Enhancer enhancer = new Enhancer() ;
  7. // 2、设置父类(目标)
  8. enhancer.setSuperclass(Target.class);
  9. // 3、设置回调
  10. enhancer.setCallback(new MethodInterceptor() {
  11. public Object intercept(Object proxy, Method method, Object[] args, MethodProxy methodProxy) throws Exception {
  12. advice.before(); // 执行前置
  13. Object invoke = method.invoke(target, args); // 执行目标
  14. advice.afterReturning(); // 执行后置
  15. return invoke;
  16. }
  17. });
  18. // 4、创建代理对象
  19. Target proxy = (Target)enhancer.create() ;

三、补充

[Java] JDK动态代理与CGLib动态代理