例如:以下代码的执行结果
public class Go {
static {
System.out.println("Go只执行一次");
}
{
System.out.println("Go我是非静态代码块");
}
public Go() {
System.out.println("Go构造函数");
}
public static void main(String[] args) {
new Go();
new Go();
}
}
结果为:
Go只执行一次
Go我是非静态代码块
Go构造函数
我们都知道静态代码会优先输出,但是为什么非静态的会在构造方法之前呢?咱们可以通过jd-gui查看Go.class得到如下截图:
可以看到非静态代码块
在编译时,会在所有构造方法第一行
中。
如果有一个子类继承Go呢,又会怎样?
public class Child extends Go {
static {
System.out.println("child只执行一次");
}
{
System.out.println("child我是非静态代码块");
}
public Child() {
System.out.println("child构造函数");
}
public Child(String name) {
System.out.println("child构造函数" + name);
}
public static void main(String[] args) {
new Child("我是孩子");
new Go();
}
}
在继承关系中,我们知道代码的加载顺序是 父静态,子静态,所谓先有父再有子嘛。再者在构造方法中会在第一行默认super()调用父类无参构造方法。
所以执行顺序如下:
父静态
子静态
父非静态代码块
父构造方法
子非静态代码块
子构造方法