我正在尝试查找所有使用自定义注释注释的字段,但是似乎无法检测到它。相同的代码可以很好地用于标准注释,例如@Deprecated。

最少的代码可重现:

public class MyClass {

    public @interface MyAnnotation {}

    @MyAnnotation Object someObject;
    @MyAnnotation @Deprecated Object someDeprecatedObject;
    @Deprecated Object aThirdObject;

    public static void main(String[] args) {
        Class<?> cls = MyClass.class;

        for (Field field : cls.getDeclaredFields()) {
            System.out.print(field.getName());

            for (Annotation a : field.getDeclaredAnnotations())
                System.out.print(" " + a);

            System.out.println();
        }
    }
}


输出:

someObject
someDeprecatedObject @java.lang.Deprecated()
aThirdObject @java.lang.Deprecated()


@Deprecated出现了,但是@MyAnnotation没有!救命!

最佳答案

默认情况下,注释不会在运行时保留,因此无法反映出来。您需要像这样声明注释,以确保其在运行时存在:

@Retention(RetentionPolicy.RUNTIME)
public @interface MyAnnotation {
}

10-08 19:39