何时引发java.lang.EnumConstantNotPresentException?

根据Java API,当应用程序尝试按名称访问枚举常量并且枚举类型不包含具有指定名称的常量时,将引发EnumConstantNotPresentException.

因此,我决定提出一个将抛出java.lang.EnumConstantNotPresentException的场景,因此我编写了以下三个类.

MyEnum类:

package my.enumtest;

enum MyEnum {
    A, B, C;
}

MyEnumTest1类:

package my.enumtest;

    import my.enumtest.MyEnum;

    class MyEnumTest1 {

        public static void main(String [] args) {
            System.out.println(MyEnum.A);        
        }        
    }

MyEnumTest2类:

package my.enumtest;

import my.enumtest.MyEnum;

class MyEnumTest2 {

    public static void main(String [] args) {
        System.out.println(MyEnum.valueOf("A"));        
    }
}

我编译了所有三个文件,然后更改MyEnum类以删除常量’A’并重新编译它:

package my.enumtest;

enum MyEnum {
    B, C;
}

使用新的MyEnum类执行MyEnumTest1时,出现以下异常:

Exception in thread “main”
java.lang.NoSuchFieldError: A
at my.enumtest.MyEnumTest1.main(MyEnumTest1.java:8)

在使用新的MyEnum类执行MyEnumTest2时,出现以下异常:

Exception in thread “main” java.lang.IllegalArgumentException: No enum
constant my.enumtest.MyEnum.A
at java.lang.Enum.valueOf(Unknown Source)
at my.enumtest.MyEnum.valueOf(MyEnum.java:3)
at my.enumtest.MyEnumTest2.main(MyEnumTest2.java:8)

如您所见,在任何情况下都没有EnumConstantNotPresentException,因此有人可以为我提供EnumConstantNotPresentException类的用法吗?

附言我知道该异常可以由用于反射性地读取注释的API引发,但是我正在寻找更明显(更简单)的方案.

解决方法:

如果您想知道何时抛出特定异常,应该做的第一件事就是读取the documentation,如JB Nizet所述.它说:

Thrown when an application tries to access an enum constant by name and the enum type contains no constant with the specified name. This exception can be thrown by the 07001.

该链接指向AnnotationElement,该文档显示:

Similarly, attempting to read an enum-valued member will result in a EnumConstantNotPresentException if the enum constant in the annotation is no longer present in the enum type.

这足以制作一个示例.
创建以下类:

// TestEnum.java
public enum TestEnum {
    A, B, C;
}

// TestAnnotation.java
import java.lang.annotation.*;

@Target({ElementType.TYPE})
@Retention(RetentionPolicy.RUNTIME)
public @interface TestAnnotation {
    TestEnum value();
}

// TestClass.java
@TestAnnotation(TestEnum.C)
public class TestClass {

}

// ReadAnnotation.java
public class ReadAnnotation {
    public static void main(String[] args) {
        System.out.println(TestClass.class.getAnnotation(TestAnnotation.class).value());
    }
}

编译所有内容并运行ReadAnnotation.您会得到C.

现在,从TestEnum中删除C并仅重新编译TestEnum类,并保留其他类.如果立即启动ReadAnnotation,您将获得:

Exception in thread "main" java.lang.EnumConstantNotPresentException: TestEnum.C
    at sun.reflect.annotation.EnumConstantNotPresentExceptionProxy.generateException(Unknown Source)
    at sun.reflect.annotation.AnnotationInvocationHandler.invoke(Unknown Source)
    at com.sun.proxy.$Proxy1.value(Unknown Source)
    at ReadAnnotation.main(ReadAnnotation.java:4)

如果您怀疑它是否可以被其他任何东西抛出,则可以在JDK源代码中扫描此异常名称.我没有找到任何其他提及此异常的内容,因此似乎是唯一可能的情况.

上一篇:Redis 集群方案介绍


下一篇:请解释Java中的RuntimeException以及它应该在何处使用