/*
* 2018年3月22日15:27:36
* 代码目的:
* 了解包括继承在内的初始化过程。
* 在Beetle上运行Java时,所发生的第一件事就是试图访问Beetle.main(),
* 一个static方法,于是加载器开始自动并找出Beetle类的编译代码(在名
* 为Beetle.class的文件之中,在对它进行加载的过程中,编译器注意到它有
* 一个基类,这是由关键字extends得知的),于是它继续进行加载。不管你
* 是否要产生一个该基类的对象,这都要发生。
*
* 注意:k是普通的成员,因此在创建Beetle的对象之前会初始化,
* 而初始化发生在Beetle()函数调用构造函数之前进行。
* */
//: reusing/Beetle.java
// The full process of initialization.
import static net.mindview.util.Print.*;
class Insect {
private int i = 9;
protected int j;
Insect() {
print("i = " + i + ", j = " + j);
j = 39;
}
private static int x1 =
printInit("static Insect.x1 initialized");
static int printInit(String s) {
print(s);
return 47;
}
}
public class Beetle extends Insect {
private int k = printInit("Beetle.k initialized");
public Beetle() {
print("k = " + k);
print("j = " + j);
}
private static int x2 =
printInit("static Beetle.x2 initialized");
public static void main(String[] args) {
print("Beetle constructor");
Beetle b = new Beetle();
}
} /* Output:
static Insect.x1 initialized
static Beetle.x2 initialized
Beetle constructor
i = 9, j = 0
Beetle.k initialized
k = 47
j = 39
*///:~