使用this()的继承

时间:2018-11-23 21:05:37

标签: java inheritance constructor this multiple-inheritance

在尝试子类和承包商时遇到了一个问题,如果可能的话,我希望有人向我解释一下。

class AA {
    AA(){System.out.println("AA");}
}

class BB {
    BB() { System.out.println("BB");}
    BB(int k) { System.out.println("BB"+k);}
}

class CC extends BB {
    CC() { System.out.println("CC"); }
    CC(int k) {
        super(k);
        for (int j=0;j<5;j++) {
            System.out.print("o");
        }
    System.out.println(k);
    }
}

class DD extends CC {
    AA a3 = new AA();
    DD(int k) { super(k);}
    DD() {
        this(2);
        System.out.println("CC");
    }
}

class Program {
    public static void main(String[] a) {
        DD d = new DD();
    }
}

此打印

BB2
ooooo2
AA
CC

但是我真的不明白为什么。调用this(2)之后,程序是否不应该继续前进到System.out.println(“ CC”)并创建AA类的实例?好像在进入DD()承包商之后,它执行了一半,然后创建a3,然后又返回以继续执行承包商。

(我当时期望:)

BB2
ooooo2
CC
AA  

预先感谢您的帮助。

1 个答案:

答案 0 :(得分:0)

您似乎认为Java不会编译字段初始值的分配。您可能认为构造函数调用完成后,会将初始值分配给了字段,但事实并非如此。实际上是在任何super();调用之后完成的。

这是一个例子:

class Foo {
    String string = "Hello";

    Foo() {
        System.out.println("Hello World");
    }
}

它将被编译为:

class Foo {
    String string;

    Foo() {
        // First the constructor of the superclass must be called.
        // If you didn't call it explicitly, the compiler inserts it for you.
        super();

        // The next step is to assign the initial values to all fields.
        string = "Hello";

        // Then follows the user written code.
        System.out.println("Hello World");
    }
}