很多初學者可能搞不清static方法的用法,這裡我說下自己的理解:
static方法的調用不需要依靠創造類對象
由於不需要建立對象,所以static方法中不使用this關鍵字
靜態方法中只能調用靜態成員變數和靜態方法,因為普通方法需要通過建立對象來調用,這一點與靜態方法衝突
普通方法中可以調用靜態成員變數和靜態方法,可以直接通過 類名.靜態方法 的形式進行調用
靜態代碼塊,在類載入的時候就執行且只執行一次
道理講完了,看個實際的例子:
class Person{ static{ System.out.println("person static"); } public Person(String str) { System.out.println("person "+str); }}public class Test {Person person = new Person("Test");public Test() {System.out.println("test constructor");}static{ System.out.println("test static 1"); }public static void main(String[] args) {new MyClass();}static{System.out.println("test static 2");}} class MyClass extends Test { Person person = new Person("MyClass"); static{ System.out.println("myclass static"); } public MyClass() { System.out.println("myclass constructor"); }}
先猜一下他的輸出,再來對比一下,看看哪裡不對,加深理解
test static 1test static 2myclass staticperson staticperson Testtest constructorperson MyClassmyclass constructor
首先載入Test類,其中包含兩個靜態代碼塊,則按編寫順序依次輸出test static 1、test static 2
main方法中,new了一個MyClass,這時載入MyClass類,MyClass類中也有靜態代碼塊,則輸出myclass static
MyClass類繼承自Test類,Test類已經載入過,則不會再輸出靜態代碼塊中內容
載入完畢,開始執行Test類,在執行Person person = new Person("Test")時Person類還未被載入,載入時發現Person類也有靜態代碼塊,則輸出person static
執行Person的建構函式,輸出person Test
繼續執行Test,進入main方法,new MyClass(),然而MyClass繼承自Test類,先執行Test類構造方法,輸出test constructor
繼續執行MyClass,Person person = new Person("MyClass"),執行Person類構造方法,輸出person MyClass
繼續執行MyClass的構造方法,輸出myclass constructor
執行完畢
根據這些我總結出來以下執行順序:
靜態代碼塊——>父類構造方法——>子類構造方法
構造方法與new對象同時存在時,先執行new對象的構造方法。(此時注意不要產生迴圈嵌套,造成記憶體溢出)
相關文章:
淺談Java中父類與子類的載入順序詳解
java的繼承,子類是否繼承父類的建構函式