首页 > 代码库 > Java 对象创建过程

Java 对象创建过程

Java 对象创建过程

      在某些项目中,会使用到静态块,构造器中初始化其他对象。。。深刻理解了java类初始化过程,这些将不在是问题。

那java对象的步骤是什么呢?

假设现在有People类,未显示继承任何其他类,初始化过程是这样的。

1 java 解释器必须查找类路径,以定位People.class文件。在首次创建对象时(构造器是静态方法),或people类的静态方法/静态域首次被访问时。

2 载入People.class,静态初始化的所有动作都会执行,且静态初始化只在Class对象首次加载的时候进行一次。

3 当使用new People() 创建对象的时候,首先将在堆上为对象分配足够的存储空间。

4将存储空间初始化为二进制的零。

4 执行所有出现于属性定义处的初始化动作。

5 执行构造器。

看一个实例:

public class Bowl {    Bowl(int marker) {        System.out.println("Bowl (" + marker + ")");    }    void f1(int marker) {        System.out.println("f1 (" + marker + ")");    }}

 

public class Table {    static Bowl bowl1 = new Bowl(1);    Table() {        System.out.println("Table()");        bowl2.f1(1);    }    void f2(int marker) {        System.out.println("f2(" + marker + ")");    }    static Bowl bowl2 = new Bowl(2);}

 

public class Cupboard {    Bowl bowl3 = new Bowl(3);    static Bowl bowl4 = new Bowl(4);    Cupboard() {        System.out.println("Cupboard()");        bowl4.f1(2);    }    void f3(int marker) {        System.out.println("f3(" + marker + ")");    }    static Bowl bowl5 = new Bowl(5);}

 

public class StaticInitialization {    public static void main(String[] args) {        System.out.println("Creating new Cupboard() in main");        new Cupboard();        System.out.println("Creating new Cupboard() in main");        new Cupboard();        table.f2(1);        cupboard.f3(1);    }    static Table table = new Table();    static Cupboard cupboard = new Cupboard();}

运行结果如下:

技术分享

 

初始化分析如下:

 

Java 对象创建过程