Java中静态代码块及对象的初始化顺序

出处:[url]http://www.iteye.com/topic/339643[/url] Author : [b]L.G.Alexander[/b] [code="java"] class Parent{ static String name = "hello"; static { System.out.println("parent static block"); } { System.out.println("parent block"); } public Parent(){ System.out.println("parent constructor"); } } class Child extends Parent{ static String childName = "hello"; static { System.out.println("child static block"); } { System.out.println("child block"); } public Child(){ System.out.println("child constructor"); } } public class StaticIniBlockOrderTest { public static void main(String[] args) { new Child();//语句(*) } } [/code] 问题 : 当执行完语句(*)时,打印结果是什么顺序?为什么? 解答:当执行完语句(*)时,打印出来的顺序是 parent static block,//父类静态块 child static block, //子类静态块 parent block, //父非静态块 parent constructor, //父构造函数 child block, //子非静态块 child constructor // 子构造函数 分析:当执行new Child()时,它首先去看父类里面有没有静态代码块,如果有,它先去执行父类里面静态代码块里面的内容,当父类的静态代码块里面的内容执行完毕之后,接着去执行子类(自己这个类)里面的静态代码块,当子类的静态代码块执行完毕之后,它接着又去看父类有没有非静态代码块,如果有就执行父类的非静态代码块,父类的非静态代码块执行完毕,接着执行父类的构造方法;父类的构造方法执行完毕之后,它接着去看子类有没有非静态代码块,如果有就执行子类的非静态代码块。子类的非静态代码块执行完毕再去执行子类的构造方法,这个就是一个对象的初始化顺序。 父类Static->子类static->父类缺省{}->父类构造函数->子类缺省{}->子类构造函数 注意:子类的构造方法,不管这个构造方法带不带参数,默认的它都会先去寻找父类的不带参数的构造方法。如果父类没有不带参数的构造方法,那么子类必须用supper关键子来调用父类带参数的构造方法,否则编译不能通过。

你可能感兴趣的:(java)