为什么实例变量在调用构造函数之前被初始化?

2022-09-02 19:22:51

我有以下代码:

public abstract class UCMService{
    private String service;     

    protected DataMap dataMap = new DataMap(); 

    protected class DataMap extends HashMap<String,String> {

        private static final long serialVersionUID = 4014308857539190977L;

        public DataMap(){
            System.out.println("11111");
            put("IdcService",service);
        }
    }

    public UCMService(String service){
        System.out.println("2222");
        this.service = service;
    }
}

现在,在控制台中,构造函数在 的构造函数之前执行。System.out.printlnDataMapUCMService

我想知道为什么会发生这种情况。


答案 1

这是因为在编译时,编译器会将您在声明位置完成的每个初始化都移动到类的每个构造函数。因此,类的构造函数有效地编译为:UCMService

public UCMService(String service){
    super();  // First compiler adds a super() to chain to super class constructor
    dataMap = new DataMap();   // Compiler moves the initialization here (right after `super()`)
    System.out.println("2222");
    this.service = service;
}

因此,构造函数显然是在类语句之前执行的。同样,如果您的类中还有其他构造函数,则初始化将移动到所有这些构造函数。DataMap()printUCMServiceUCMService


让我们看一个简单类的字节代码:

class Demo {
    private String str = "rohit";

    Demo() {
        System.out.println("Hello");
    }
}

编译此类,并执行命令 - 。您将看到构造函数的以下字节代码:javap -c Demo

Demo();
    Code:
       0: aload_0
       1: invokespecial #1   // Method java/lang/Object."<init>":()V
       4: aload_0
       5: ldc           #2   // String rohit
       7: putfield      #3   // Field str:Ljava/lang/String;
      10: getstatic     #4   // Field java/lang/System.out:Ljava/io/PrintStream;
      13: ldc           #5   // String Hello
      15: invokevirtual #6   // Method java/io/PrintStream.println:(Ljava/lang/String;)V
      18: return

您可以在第 7 行看到指令,将 field 初始化为 ,该指令位于语句之前(指令在第 7 行)putfieldstr"rohit"print15)


答案 2

简短的回答
因为规范是这么说的。

长答案
构造函数无法使用内联初始化字段将是非常奇怪的。

你希望能够写

SomeService myService = new SomeService();
public MyConstructor() {
    someService.doSomething();
}