1

我正在尝试使用与枚举值关联的注释字符串值,以获得对关联枚举值的引用。

我最终陷入了中途......目前我有以下开发代码:

注释代码:

public @interface MyCustomAnnotation{
    String value();
}

枚举代​​码:

public enum MyEnum{
    @MyCustomAnnotation("v1")
    VALUE1,
    @MyCustomAnnotation("v2")
    VALUE2,
    @MyCustomAnnotation("v3")
    VALUE3,
}

使用枚举注解:

String matchString = "v1";
MyEnum myEnumToMatch;

// First obtain all available annotation values
for(Annotation annotation : (MyEnum.class).getAnnotations()){
    // Determine whether our String to match on is an annotation value against
    // any of the enum values
    if(((MyCustomAnnotation)annotation).value() == matchString){
        // A matching annotation value has been found
        // I need to obtain a reference to the corrext Enum value based on
            // this annotation value
        for(MyEnum myEnum : MyEnum.values()){
            // Perhaps iterate the enum values and obtain the individual
                    // annotation value - if this matches then assign this as the
                    // value.
            // I can't find a way to do this - any ideas?
            myEnumToMatch = ??
        }
    }
}

提前致谢。

4

3 回答 3

5

在枚举中有一个字段会更容易,如下所示:

public enum MyEnum {
    VALUE1("v1"),
    VALUE2("v2"),
    VALUE3("v3");

    private String displayValue;

    private MyEnum(string s) {
        this.displayValue = s;
    }

    public String getDisplayValue() {
        return displayValue;
    }
}

然后在您的匹配循环中,您只需循环MyEnum.values()并查找具有正确 displayValue 的那个。

于 2013-02-21T15:38:40.293 回答
2

我完全同意@MichaelMyers 的观​​点,即最好为枚举添加一个值,而不是使用注释。但是,下面的代码应该可以帮助您了解注释是如何附加到枚举值的。

@Retention(RetentionPolicy.RUNTIME)
public @interface MyAnno {
    String value();
}

public enum Example {
    @MyAnno("v1")   FOO, 
    @MyAnno("v2")   BAR, 
    @MyAnno("v3")   BAZ
}


public static void main(String[] argv)
throws Exception {
    for (Field field : Example.class.getDeclaredFields()) {
        System.out.println(field.getName());
        for (Annotation anno : field.getAnnotations()) {
            if (anno instanceof MyAnno) {
                MyAnno myAnno = (MyAnno)anno;
                System.out.println("   anno = " + myAnno.value());
            }
        }
    }
}
于 2013-02-21T15:43:59.007 回答
1

枚举常量是enum类的常规字段,因此您必须通过反射访问它们:

for (Field enumValue : MyEnum.class.getDeclaredFields()) {
    MyAnnotation annotation = enumValue.getAnnotation(MyAnnotation.class);
    if (annotation != null) {
        System.out.printf("Field '%s' is annotated with @MyAnnotation with value '%s'\n",
                enumValue.getName(),
                annotation.value());
    } else {
        System.out.printf("Field '%s' is not annotated with @MyAnnotation\n", enumValue.getName());
    }
}

请注意,这还将包括一个名为的内部字段$VALUES,其中包含一个包含所有枚举值的数组。您可以使用例如过滤掉它if (enumValue.isSynthethic()) { ... }

于 2013-02-21T15:54:14.517 回答