深入理解Java程式執行順序
阿新 • • 發佈:2018-11-02
下面將從一道阿里巴巴試題詳細分析Java程式執行順序。
阿里巴巴試題
public class Test { public static int k = 0; public static Test t1 = new Test("t1"); public static Test t2 = new Test("t2"); public static int i = print("i"); public static int n = 99; public int j = print("j"); { print("構造塊"); } static { print("靜態塊"); } public Test(String str) { System.out.println((++k) + ":" + str + " i=" + i + " n=" + n); ++i; ++n; } public static int print(String str) { System.out.println((++k) + ":" + str + " i=" + i + " n=" + n); ++n; return ++i; } public static void main(String args[]) { new Test("init"); } }
執行結果為:
1:j i=0 n=0
2:構造塊 i=1 n=1
3:t1 i=2 n=2
4:j i=3 n=3
5:構造塊 i=4 n=4
6:t2 i=5 n=5
7:i i=6 n=6
8:靜態塊 i=7 n=99
9:j i=8 n=100
10:構造塊 i=9 n=101
11:init i=10 n=102
程式碼組成
1、五個成員變數被 static 修飾,即為類 Test 的靜態成員變數,需要在類載入過程被執行初始化。
public static int k = 0; public static Test t1 = new Test("t1"); public static Test t2 = new Test("t2"); public static int i = print("i"); public static int n = 99;
2、j 為例項成員變數,只在類被例項化的過程被載入。
public int j = print("j");
3、例項化程式碼塊,在類被例項化的過程中執行。
{
print("構造塊");
}
4、靜態程式碼塊,在類被載入、初始化的過程中執行。
static {
print("靜態塊");
}
5、靜態方法
public static int print(String str) { System.out.println((++k) + ":" + str + " i=" + i + " n=" + n); ++n; return ++i; }
類載入過程分析
載入過程:執行 main 方法時,先載入所在類,宣告靜態變數,並初始化靜態變數,執行靜態程式碼塊(按照出現順序執行)。
1、初始化到 t1 的時候,暫停類載入,先進行類例項化,此時 k 已經初始化為 0,而 i 和 n 都未初始化,系統預設為 0。
public static int k = 0;
public static Test t1 = new Test("t1");
2、因為 j 為例項變數,會在類例項化的時候被初始化,所以先執行 print() 方法:
public int j = print("j");
然後執行程式碼塊,print("構造塊"):
{
print("構造塊");
}
執行完程式碼塊後,執行構造方法:
public Test(String str) {
System.out.println((++k) + ":" + str + " i=" + i + " n=" + n);
++i;
++n;
}
3、t2 和 t1 的載入順序完全一樣。
4、初始化到 i 的時候,執行 print("i") 方法。
public static int i = print("i");
5、靜態屬性載入完成後,執行 new Test("init") 方法,呼叫構造方法。
new Test("init");