使用反射获取带注释的字段列表

时间:2013-05-16 10:49:49

标签: java reflection annotations

我创建了我的注释

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
        }
}

但是看起来我的块执行操作永远不会执行,并且字段没有注释,因为以下代码返回0。

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

有人可以帮助我并告诉我我做错了吗?

2 个答案:

答案 0 :(得分:67)

您需要将注释标记为在运行时可用。将以下内容添加到注释代码中。

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

答案 1 :(得分:9)

/**
 * @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;
}