如何防止Spring Boot AOP删除类型注释?

时间:2020-04-21 18:43:57

标签: java spring-boot spring-aop

我对Spring Boot及其AOP的风格还很陌生,但对于使用其他语言和AOP框架进行编程却并不陌生。我不确定如何解决这一挑战。

我有一个简单的元数据装饰器:

@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
public @interface GreetingsMeta {
    public float version() default 0;
    public String name() default "";
}

它在依赖注入中也能很好地工作:

public GreetingController(List<IGreetingService> greetings) throws Exception {
    this.greetings = new HashMap<>();
    greetings.forEach(m -> {
        Class<?> clazz = m.getClass();
        if (clazz.isAnnotationPresent(GreetingsMeta.class)) {
            GreetingsMeta[] s = clazz.getAnnotationsByType(GreetingsMeta.class);
            this.greetings.put(s[0].name(), m);
        }
    });
}

直到我应用了标准的日志记录方面:

@Aspect
@Component
public class LoggingAspect {
    @Around("execution(* com.firm..*(..)))")
    public Object profileAllMethods(ProceedingJoinPoint joinPoint) throws Throwable {
        MethodSignature methodSignature = (MethodSignature) joinPoint.getSignature();
        String methodName = methodSignature.getName();
        final StopWatch stopWatch = new StopWatch();
        stopWatch.start();
        Object result = joinPoint.proceed();
        stopWatch.stop();
        LogManager.getLogger(methodSignature.getDeclaringType())
        .info(methodName + " " + (stopWatch.getTotalTimeSeconds() * 1000) + " µs");
        return result;
    }
}

然后,即使@Component注释消失了,annotationsData的列表也变为空。

元装饰类示例:

@Component
@GreetingsMeta(name = "Default", version = 1.0f)
public class DefaultGreetingsService implements IGreetingService {


    @Override
    public String message(String content) {
        return "Hello, " + content;
    }
} 

我应该如何排除故障?

2 个答案:

答案 0 :(得分:2)

如何防止Spring Boot AOP删除类型注释?

Spring Boot不会删除任何内容,但是对于Spring AOP,它使用在运行时生成的动态代理,即带有事件挂钩(连接点)的子类或接口实现,用于通过切入点连接的方面建议代码。默认情况下,注释不会继承,因此这只是JVM功能。

子类从父类继承注解有一个例外:您可以将元注解@Inherited添加到自己的注解类GreetingsMeta中。这样的效果是,如果您用它注释任何类,则所有子类(也就是由Spring AOP创建的动态代理)都将继承注释,并且原始代码应按预期运行。

因此,在这种情况下,无需使用 JC Carrillo 建议的AnnotationUtils。当然,他的方法也有效。只是更加复杂,因为AnnotationUtils在内部使用了很多反射魔术和许多辅助类来计算结果。因此,仅在您不直接注释类但例如直接注释类的情况下,才使用AnnotationUtils。方法或接口,因为@Inherited对它们没有影响,如文档所述。或者,如果您依赖于Spring(或自己的)元批注(批注的批注)的层次结构,并且需要从它们中获取信息并全部合并为一个,则AnnotationUtilsMergedAnnotations是合适的。

答案 1 :(得分:1)

您可能想研究AnnotationUtils

Method method = methodSignature.getMethod();
GreetingsMeta greetingsMeta = AnnotationUtils.findAnnotation(method, GreetingsMeta.class);