我会尽量保持简洁:
考虑接口:
package com.stackoverflow;
public interface Printable {
void print();
}
我创建了一个实现此接口的枚举。到目前为止,一切都很好:
public enum MyEnum implements Printable {
ERROR,
WARNING,
SUCCESS;
@Override
public void print() {
System.out.println("Printed: " +this.name());
}
}
我用以下几行创建了一个
main
方法://OK! Prints 1
System.out.println(ERROR.getClass().getInterfaces().length);
//OK! Prints "Printable" (the name of the interface).
System.out.println(ERROR.getClass().getInterfaces()[0].getSimpleName());
一切正常,对吗?现在到奇怪的部分:
public enum MyEnum implements Printable {
ERROR,
WARNING{
//Notice the "@Override", that means that I'm overriding a superclass/interface method! No compiler errors!
@Override
public void print() {
System.out.println("I'm not printable anymore!");
}
},
SUCCESS;
@Override
public void print() {
System.out.println("Printed: " +this.name());
}
}
题:
为什么覆盖
print
方法使enumInstance.getClass().getInterfaces()
不返回Printable?在上面的示例中,我知道WARNING现在是匿名类的一部分,但是getInterfaces
是否不应该返回声明的接口(在这种情况下为Printable)?//OK! Prints 1
System.out.println(ERROR.getClass().getInterfaces().length);
//NOT OK! Prints 0
System.out.println(WARNING.getClass().getInterfaces().length);
最佳答案
使用以下循环了解:
public static void main(String[] args) {
for (MyEnum e : MyEnum.values()) {
System.out.println(e + ".getClass() = " + e.getClass());
}
}
它将打印:
ERROR.getClass() = class com.stackoverflow.MyEnum
WARNING.getClass() = class com.stackoverflow.MyEnum$1
SUCCESS.getClass() = class com.stackoverflow.MyEnum
这意味着WARNING实际上是匿名类的实例,它扩展了MyEnum。并且getInterfaces()仅返回类声明要实现的接口(即,类声明的
implements
子句中的接口)