请注意,您的问题混淆了两个不同的问题:将枚举传递给函数或将枚举常量传递给函数。我的理解是,你想将枚举本身传递给函数,而不是一个常量。如果不是:请参考Narendra Pathai关于如何将单个枚举常量传递给函数的答案。如果您不知道枚举和枚举常量之间的区别是什么,请查看有关枚举的文档...
我知道你想要的是有一个print(或任何其他)函数,你可以传递任何可能的枚举,打印枚举的每个可能值(即常量)。我发现以下两种方法可以做到这一点:
假设我们有以下枚举:
// The test enum, any other will work too
public static enum ETest
{
PRINT,MY,VALUES
}
变体 1:将常量数组从枚举传递到函数;由于枚举的常量是静态值,因此可以轻松访问它们并将其传递给“print”函数,如下所示:
public static void main(String[] args)
{
// retreive all constants of your enum by YourEnum.values()
// then pass them to your function
printEnum(ETest.values());
}
// print function: type safe for Enum values
public static <T extends Enum<T>> void printEnum(T[] aValues)
{
System.out.println(java.util.Arrays.asList(aValues));
}
变体 2:将枚举的类作为函数参数传递。这可能看起来更漂亮,但请注意,涉及反射(性能):
public static void main(String[] args)
{
printEnum2(ETest.class);
}
// print function: accepts enum class and prints all constants
public static <T extends Enum<T>> void printEnum2(Class<T> aEnum)
{
// retreive all constants of your enum (reflection!!)
System.out.println(java.util.Arrays.asList(aEnum.getEnumConstants()));
}
在我看来,最好使用变体 1,因为在变体 2 中过度使用反射。变体 2 给你的唯一优点是,你的函数中有枚举本身的 Class 对象(静态枚举,不仅仅是常量),所以我提到了它以保持完整性。