获取与注释字段列表,通过使用反射(Get list of fields with annotatio

2019-09-03 16:34发布

创建我的注释

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;

有没有人能帮助我,告诉我,我做错了什么?

Answer 1:

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

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


Answer 2:

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


文章来源: Get list of fields with annotation, by using reflection