7

我想为带有注释的方法创建一个 AspectJ 切入点@Scheduled。尝试了不同的方法,但没有任何效果。

1.)

@Pointcut("execution(@org.springframework.scheduling.annotation.Scheduled * * (..))")
public void scheduledJobs() {}

@Around("scheduledJobs()")
public Object profileScheduledJobs(ProceedingJoinPoint joinPoint) throws Throwable {
    LOG.info("testing")
}

2.)

@Pointcut("within(@org.springframework.scheduling.annotation.Scheduled *)")
public void scheduledJobs() {}

@Pointcut("execution(public * *(..))")
public void publicMethod() {}

@Around("scheduledJobs() && publicMethod()")
public Object profileScheduledJobs(ProceedingJoinPoint joinPoint) throws Throwable {
    LOG.info("testing")
}

任何人都可以建议任何其他方式来获得around/before建议带@Scheduled注释的方法吗?

4

1 回答 1

4

您正在寻找的切入点可以指定如下:

@Aspect
public class SomeClass {

    @Around("@annotation(org.springframework.scheduling.annotation.Scheduled)")
    public void doIt(ProceedingJoinPoint pjp) throws Throwable {
        System.out.println("before");
        pjp.proceed();
        System.out.println("After");
    }
}

我不确定这是否就是您所需要的。所以我也将发布解决方案的其他部分。

首先,注意@Aspect类上的注释。需要将此类中的方法应用为advice.

此外,您需要确保@Scheduled可以通过扫描检测到具有该方法的类。您可以通过使用注释对该类进行@Component注释来做到这一点。例如:

@Component
public class OtherClass {
    @Scheduled(fixedDelay = 5000)
    public void doSomething() {
        System.out.println("Scheduled Execution");
    }
}

现在,要使其正常工作,您的弹簧配置中所需的部分如下:

<context:component-scan base-package="com.example.mvc" />
<aop:aspectj-autoproxy />   <!-- For @Aspect to work -->    
<task:annotation-driven />  <!-- For @Scheduled to work -->
于 2013-06-02T08:57:55.370 回答