JAVA中的內部類
阿新 • • 發佈:2017-06-12
類變量 類名 blog int 什麽 fun 位置 log static成員
將一個類定義在另一個類的裏面,裏面的那個類就叫做內部類(嵌套類,內置類)
內部類的訪問規則:
- 內部類可以直接訪問外部類中的成員,包括私有
- 外部類要訪問內部類,必須建立內部類對象
之所以可以直接訪問外部類中的成員,是因為內部類中持有了一個外部類的引用,格式: 外部類名.this
訪問格式:
1 當內部類定義在外部類的成員位置上,而且非私有,可以在外部其它類中
可以直接建立內部類對象
格式為:
外部類名.內部類名 變量名 = 外部類對象.內部類對象
Outer.Inner in = new Outer().new Inner();
2 當內部類在成員位置上,就可以被成員修飾符所修飾
比如,private:將內部類在外部類中進行封裝
static:內部類可以被靜態修飾,就具備了靜態的特性
當內部類被static修飾後,只能直接訪問外部類中的static成員,出現訪問局限
在外部其它類中,如何訪問內部static內部類的非靜態成員呢:new Outer.Inner().function();
在外部其它類中,如何訪問內部static內部類的靜態成員呢:Outer.Inner.function();
註意:當內部類中定義了靜態成員,該內部類必須是static的
當外部類中的靜態方法訪問內部類時,內部類也必須是靜態的
什麽時候用內部類:
當描述事物的時候,事物的內部還有事物,該事務用內部類在描述
因為內部事務在使用外部事務的內容
1 class Outer 2 { 3 private int x = 3; 4 5 class Inner//內部類 6 { 7 int x = 4; 8 static int y = 5; 9 void function() 10 { 11 int x = 6; 12 System.out.println("Inner :"+x);//直接訪問外部類變量//6 13 System.out.println("Inner :"+this.x);//4 14 System.out.println("Inner :"+Outer.this.x);//4 15 } 16 } 17 18 static class StaticInner 19 { 20 void function() 21 { 22 //System.out.println("Inner :"+x);//invalid 訪問局限 23 System.out.println("Inner :"+y) 24 } 25 } 26 27 void method() 28 { 29 Inner in = new Inner();//外部類訪問內部類的方法 30 in.function(); 31 System.out.println(x); 32 } 33 } 34 35 class InnerClassDemo 36 { 37 public static void main(String[] args) 38 { 39 Outer out = new Outer(); 40 //out.method(); 41 //System.out.println(); 42 //直接訪問內部類中的成員 43 //Outer.Inner in = new Outer().new Inner(); 44 //in.function(); 45 new Outer.Inner().function(); 46 } 47 }
JAVA中的內部類