spring aop类内部调用不拦截原因及解决方案

来源:互联网 发布:vscode的php插件 编辑:程序博客网 时间:2024/05/17 23:22

       spring对应java web开发的同学来说,都不陌生,其中事务@Transactional在service层更是常常使用。

1.aop类内部调用不拦截原因

细心的同学也许早就发现当service中的某个没标注@Transactional的方法调用另一个标注了@Transactional的方法时,居然没开启事务。例如

@Servicepublic class UserService {@Autowiredprivate UserMapper userMapper;@Transactional(propagation=Propagation.REQUIRED,isolation=Isolation.DEFAULT,readOnly=false)public void insert01(User u){this.userMapper.insert(u);throw new RuntimeException("测试插入事务");}public void insert02(User u){this.insert01(u);throw new RuntimeException("测试插入事务");}
   当controller或其他service直接调用insert01(User u)时,事务是正常的,数据库里面的确没数据;但是如果调用的是insert02(User u)方法,异常抛出了,但是数据库里面居然有数据,说明事务不正常了。


    我们知道@Transactional其实就是一个aop代理,是一个cglib动态代理(常用的动态代理有cglib动态代理,有jdk动态代理)。

    直接调用insert01(User u)时,其实流程是这样的:


也就是说controller或其他service首先调用的是AOP代理对象而不是目标对象,首先执行事务切面,事务切面内部通过TransactionInterceptor环绕增强进行事务的增强,即进入目标方法之前开启事务,退出目标方法时提交/回滚事务。

  controller或其他service调用insert02(User u)时,流程是这样的:

此处的this指向目标对象,因此调用this.b()将不会执行b事务切面,即不会执行事务增强。

我们通过debugger方式看看controller中的userService和insert02(xxx)中的this,会发现controller中的userService是一个代理对象

看到userService=UserService$$EnhanceBySpringCGLIB$$c2174c0b

这this明显和controller中的userSerivce不是同一个了。

     如果同学了解cglib(执行期进行代码植入)或aspectJ(编译期就进行代码植入,反编译后看更清晰了解,看博文)。为了让同学对上面说的代理对象有个更直观的印象,我参考aspectJ那样编译后的代码植入方式,写个UserServiceProxy.java.(spring 对aop的真实处理不是这样的,我这只是举个例子直观说明,有些同学对invoke()方法不直观)
public class UserServiceProxy extends UserService{//模拟目标对象实例化private UserService targetService = new UserService();@Overridepublic void insert01(User u) {System.out.println("开启事务.....transational starting....");targetService.insert01(u);System.out.println("结束事务.....transational end......");}@Overridepublic void insert02(User u) {targetService.insert01(u);}}

   也就是说controller中的userSerivce实际是UserServiceProxy,那么UserServiceProxy.insert02()的时候里面调用的是目标对象UserService.insert01()了,并不是代理对象UserServiceProxy.insert01(),所以事务没有开启。


2.aop类内部调用拦截生效的解决方案

   2.1 方案一--从beanFactory中获取对象

   刚刚上面说到controller中的UserService是代理对象,它是从beanFactory中得来的,那么service类内调用其他方法时,也先从beanFacotry中拿出来就OK了。

public void insert02(User u){getService().insert01(u);}private UserService getService(){return SpringContextUtil.getBean(this.getClass());}

  2.2 方案二--获取代理对象

private UserService getService(){// 采取这种方式的话,//@EnableAspectJAutoProxy(exposeProxy=true,proxyTargetClass=true)//必须设置为truereturn AopContext.currentProxy() != null ? (UserService)AopContext.currentProxy() : this;}
  如果aop是使用注解的话,那需要@EnableAspectJAutoProxy(exposeProxy=true,proxyTargetClass=true),如果是xml配置的,把expose-proxy设置为true,如

<aop:config expose-proxy="true">       <aop:aspect ref="XXX">          <!-- 省略--->       </aop:aspect></aop:config>


  2.3方案三--将项目转为aspectJ项目

   将项目转为aspectJ项目,aop转为aspect 类。具体就不写了

  2.4 方案四--BeanPostProcessor

   通过BeanPostProcessor 在目标对象中注入代理对象,定义InjectBeanSelfProcessor类,实现BeanPostProcessor。也不具体写了

   

   也许还有其他方案。








阅读全文
2 0