我有一个方面可以处理所有具有自定义注释的方法。

注释有一个枚举参数,我必须在方面获取值:

@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
public @interface Monitored {
    MonitorSystem monitorSystem();
}

我的情况与 question 非常相似,接受的答案适用于未实现接口(interface)的 Spring bean。

方面:
@Aspect
@Component
public class MonitorAspect {

    @Around("@annotation(com.company.project.monitor.aspect.Monitored)")
    public Object monitor(ProceedingJoinPoint pjp) throws Throwable {
        MethodSignature signature = (MethodSignature) pjp.getSignature();
        MonitorSystem monitorSystem = signature.getMethod().getAnnotation(Monitored.class).monitorSystem();
        ...
    }
}

但是如果用@Monitored注解的Spring bean(只注解了实现类)实现了接口(interface)——pjp.getSignature()返回的是接口(interface)的签名,并且没有注解。

还行吧:
@Component
public class SomeBean {
   @Monitored(monitorSystem=MonitorSystem.ABC)
   public String someMethod(String name){}
}

这不起作用 - pjp.getSignature() 获取接口(interface)的签名。
@Component
public class SomeBeanImpl implements SomeBeanInterface {
   @Monitored(monitorSystem=MonitorSystem.ABC)
   public String someMethod(String name){}
}

有没有办法从ProceedingJoinPoint获取实现方法的签名?

最佳答案

设法做到了:

@Aspect
@Component
public class MonitorAspect {

    @Around("@annotation(com.company.project.monitor.aspect.Monitored)")
    public Object monitor(ProceedingJoinPoint pjp) throws Throwable {
        MethodSignature signature = (MethodSignature) pjp.getSignature();
        Method method = pjp.getTarget()
           .getClass()
           .getMethod(signature.getMethod().getName(),
                      signature.getMethod().getParameterTypes());
        Monitored monitored = method.getAnnotation(Monitored.class);
        ...
    }
}

关于java - Spring AspectJ 从 ProceedingJoinPoint 获取方法注解,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/45280547/

10-10 01:06