3

在一个 webapp 中,我使用 Spring AOP 来检查我的服务对传入呼叫的​​授权,并在返回结果时管理消息(信息、警告、错误)。使用方面来做这件事可以节省我的代码行并概括我的服务的行为(它看起来很性感^^)。

所以我在我的应用程序上下文中有这种类型的 conf

    <aop:aspectj-autoproxy />
    <bean id="authenticationCheckAspect" class="fr.test.server.business.aspect.AuthenticationCheckAspect" />

我的方面看起来像这样:

package fr.test.server.business.aspect;

@Aspect
public class AuthenticationCheckAspect {

    private static final Logger LOG = LoggerFactory.getLogger(AuthenticationCheckAspect.class);

    @Autowired
    private AuthenticationBiz authBiz;

    /**
     * methodAnnotatedWithMyService Pointcut
     */
    @Pointcut("execution(@fr.test.server.business.aspect.MyService * *(..))")
    public void methodAnnotatedWithMyService() {
        // Méthode vide servant de Pointcut
    }

    @Before("methodAnnotatedWithMyService()")
    public void checkAuthentication(final JoinPoint joinPoint) throws FunctionalException {
        LOG.debug("checkAuthentication {}", joinPoint);

        {process...}
    }

    @AfterReturning(pointcut = "methodAnnotatedWithMyService()", returning = "result")
    public void manageErrors(final JoinPoint joinPoint, final Object result) {
        LOG.debug("Returning {}", joinPoint);
    }
}

在执行任何标记为 的方法之前@MyService,该方法checkAuthentication()应该被触发,它是:) 这是一种解脱。

在执行任何标记@MyService的方法后,方法 manageErrors 也应该被触发,但它不会:( 请注意,使用@After,它可以工作,但我绝对需要我的@MyService注释方法的返回值,这就是我需要的原因@AfterReturning

由于我的@Before建议有效(@After当我尝试它时),我想我没有代理类或类似的问题,否则什么都不会发生,但我真的不明白为什么我的@AfterReturning建议没有被调用。

注意:执行呼叫时我没有收到任何错误。只是我的@AfterReturning建议没有做任何事情:(

任何想法 ?谢谢 !

4

1 回答 1

4

你的代码看起来不错。我会建议添加

@AfterThrowing(pointcut = "methodAnnotatedWithMyService()",  throwing="ex")
  public void doRecoveryActions( Exception e) {
    // Some code may be System.out.println 
    // or e.printStackTrace()
  }

看看这是否正在执行。

如果切入点内抛出异常,methodAnnotatedWithMyService()@AfterReturning不会调用..但@After会调用 a..

来自 http://static.springsource.org/spring/docs/2.0.x/reference/aop.html

@AfterReturning 建议在匹配的方法执行正常返回时运行

于 2013-05-13T13:08:38.663 回答