web-dev-qa-db-ja.com

リフレクションを使用して、注釈付きのフィールドのリストを取得します

注釈を作成します

public @interface MyAnnotation {
}

テストオブジェクトのフィールドに配置します

public class TestObject {

    @MyAnnotation 
    final private Outlook outlook;
    @MyAnnotation 
    final private Temperature temperature;
     ...
}

ここで、MyAnnotationを使用してすべてのフィールドのリストを取得します。

for(Field field  : TestObject.class.getDeclaredFields())
{
    if (field.isAnnotationPresent(MyAnnotation.class))
        {
              //do action
        }
}

しかし、私のブロックdoアクションは決して実行されず、次のコードは0を返すため、フィールドには注釈がありません。

TestObject.class.getDeclaredField("Outlook").getAnnotations().length;

誰でも私を助けて、私が間違っていることを教えてもらえますか?

50
user902383

注釈を実行時に使用可能としてマークする必要があります。以下を注釈コードに追加します。

@Retention(RetentionPolicy.RUNTIME)
public @interface MyAnnotation {
}
66
Zutty
/**
 * @return null safe set
 */
public static Set<Field> findFields(Class<?> classs, Class<? extends Annotation> ann) {
    Set<Field> set = new HashSet<>();
    Class<?> c = classs;
    while (c != null) {
        for (Field field : c.getDeclaredFields()) {
            if (field.isAnnotationPresent(ann)) {
                set.add(field);
            }
        }
        c = c.getSuperclass();
    }
    return set;
}
10
Mindaugas K.