12

这是来自有效的 Java :

// Implementing a fromString method on an enum type
  private static final Map<String, Operation> stringToEnum
      = new HashMap<String, Operation>();

  static { // Initialize map from constant name to enum constant
    for (Operation op : values())
      stringToEnum.put(op.toString(), op);
  }

  // Returns Operation for string, or null if string is invalid
  public static Operation fromString(String symbol) {
    return stringToEnum.get(symbol);
  }

请注意,Operation 常量从创建常量后运行的静态块放入 stringToEnum 映射。试图让每个常量从其自己的构造函数中将自己放入映射中会导致编译错误。这是一件好事,因为如果它是合法的,它会导致 NullPointerException。不允许枚举构造函数访问枚举的静态字段,编译时常量字段除外。这个限制是必要的,因为这些静态字段在构造函数运行时还没有被初始化。

我的问题是关于这条线:

“请注意,操作常量是从创建常量后运行的静态块中放入 stringToEnum 映射的”。

我认为静态块在构造函数运行之前被执行。它们实际上是在类加载期间执行的。

我在这里想念什么?

4

3 回答 3

13

我将您的问题理解为:为什么可以保证在运行静态块之前初始化枚举常量。答案在JLS中给出,具体例子在#8.9.2.1中给出,解释如下:

静态初始化从上到下发生。

并且枚举常量是隐式最终静态的,并且在静态初始化程序块之前声明。

编辑

这种行为与普通班级没有什么不同。下面的代码打印:

In constructor: PLUS
PLUS == null MINUS == null

In constructor: MINUS
PLUS != null MINUS == null

In static initialiser
PLUS != null MINUS != null

In constructor: after static
PLUS != null MINUS != null
public class Operation {

    private final static Operation PLUS = new Operation("PLUS");
    private final static Operation MINUS = new Operation("MINUS");

    static {
        System.out.println("In static initialiser");
        System.out.print("PLUS = " + PLUS);
        System.out.println("\tMINUS = " + MINUS);
    }

    public Operation(String s) {
        System.out.println("In constructor: " + s);
        System.out.print("PLUS = " + PLUS);
        System.out.println("\tMINUS = " + MINUS);
    }

    public static void main(String[] args) {
        Operation afterStatic = new Operation ("after static");
    }    
}
于 2012-08-02T12:02:21.243 回答
1

static类加载器加载类时,块按出现顺序执行(您可以有多个静态块),例如。它在构造函数之前运行。

于 2012-08-02T11:50:50.217 回答
0

Operation常量是按出现顺序在静态块中创建的静态字段。

static { 
    // instantiate enum instances here
    ...
    // Initialize map from constant name to enum constant     
    for (Operation op : values())       
       stringToEnum.put(op.toString(), op);   
} 
于 2012-08-02T11:50:07.553 回答