Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Get enum value from enum type and ordinal

public <E extends Enum> E decode(java.lang.reflect.Field field, int ordinal) {
    // TODO
}

Assuming field.getType().isEnum() is true, how would I produce the enum value for the given ordinal?

like image 393
Steve Avatar asked Dec 14 '12 01:12

Steve


3 Answers

field.getType().getEnumConstants()[ordinal]

suffices. One line; straightforward enough.

like image 200
Louis Wasserman Avatar answered Nov 16 '22 22:11

Louis Wasserman


ExampleTypeEnum value = ExampleTypeEnum.values()[ordinal]
like image 33
AlexWien Avatar answered Nov 16 '22 22:11

AlexWien


To get what you want you need to invoke YourEnum.values()[ordinal]. You can do it with reflection like this:

public static <E extends Enum<E>> E decode(Field field, int ordinal) {
    try {
        Class<?> myEnum = field.getType();
        Method valuesMethod = myEnum.getMethod("values");
        Object arrayWithEnumValies = valuesMethod.invoke(myEnum);
        return (E) Array.get(arrayWithEnumValies, ordinal);
    } catch (NoSuchMethodException | SecurityException
            | IllegalAccessException | IllegalArgumentException
            | InvocationTargetException e) {
        e.printStackTrace();
    }
    return null;
}

UPDATE

As @LouisWasserman pointed in his comment there is much simpler way

public static <E extends Enum<E>> E decode(Field field, int ordinal) {
    return (E) field.getType().getEnumConstants()[ordinal];
}
like image 3
Pshemo Avatar answered Nov 16 '22 20:11

Pshemo