内部类不是很好理解,但说白了其实也就是一个类中还包含着另一个类html
如同一我的是由大脑、肢体、器官等身体结果组成,而内部类至关于其中的某个器官之一,例如心脏:它也有本身的属性和行为(血液、跳动)java
显然,此处不能单方面用属性或者方法表示一个心脏,而须要一个类post
而心脏又在人体当中,正如同是内部类在外部内当中this
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
|
//外部类
class
Out {
private
int
age =
12
;
//内部类
class
In {
public
void
print() {
System.out.println(age);
}
}
}
public
class
Demo {
public
static
void
main(String[] args) {
Out.In in =
new
Out().
new
In();
in.print();
//或者采用下种方式访问
/*
Out out = new Out();
Out.In in = out.new In();
in.print();
*/
}
}
|
运行结果:12url
从上面的例子不难看出,内部类其实严重破坏了良好的代码结构,但为何还要使用内部类呢?spa
由于内部类能够随意使用外部类的成员变量(包括私有)而不用生成外部类的对象,这也是内部类的惟一优势code
如同心脏能够直接访问身体的血液,而不是经过医生来抽血htm
程序编译事后会产生两个.class文件,分别是Out.class和Out$In.class对象
其中$表明了上面程序中Out.In中的那个 .blog
Out.In in = new Out().new In()能够用来生成内部类的对象,这种方法存在两个小知识点须要注意
1.开头的Out是为了标明须要生成的内部类对象在哪一个外部类当中
2.必须先有外部类的对象才能生成内部类的对象,由于内部类的做用就是为了访问外部类中的成员变量
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
|
class
Out {
private
int
age =
12
;
class
In {
private
int
age =
13
;
public
void
print() {
int
age =
14
;
System.out.println(
"局部变量:"
+ age);
System.out.println(
"内部类变量:"
+
this
.age);
System.out.println(
"外部类变量:"
+ Out.
this
.age);
}
}
}
public
class
Demo {
public
static
void
main(String[] args) {
Out.In in =
new
Out().
new
In();
in.print();
}
}
|
运行结果:
局部变量:14
内部类变量:13
外部类变量:12
从实例1中能够发现,内部类在没有同名成员变量和局部变量的状况下,内部类会直接访问外部类的成员变量,而无需指定Out.this.属性名
不然,内部类中的局部变量会覆盖外部类的成员变量
而访问内部类自己的成员变量可用this.属性名,访问外部类的成员变量须要使用Out.this.属性名
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
class
Out {
private
static
int
age =
12
;
static
class
In {
public
void
print() {
System.out.println(age);
}
}
}
public
class
Demo {
public
static
void
main(String[] args) {
Out.In in =
new
Out.In();
in.print();
}
}
|
运行结果:12
能够看到,若是用static 将内部内静态化,那么内部类就只能访问外部类的静态成员变量,具备局限性
其次,由于内部类被静态化,所以Out.In能够当作一个总体看,能够直接new 出内部类的对象(经过类名访问static,生不生成外部类对象都不要紧)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
|
class
Out {
private
int
age =
12
;
private
class
In {
public
void
print() {
System.out.println(age);
}
}
public
void
outPrint() {
new
In().print();
}
}
public
class
Demo {
public
static
void
main(String[] args) {
//此方法无效
/*
Out.In in = new Out().new In();
in.print();
*/
Out out =
new
Out();
out.outPrint();
}
}
|
运行结果:12
若是一个内部类只但愿被外部类中的方法操做,那么能够使用private声明内部类
上面的代码中,咱们必须在Out类里面生成In类的对象进行操做,而没法再使用Out.In in = new Out().new In() 生成内部类的对象
也就是说,此时的内部类只有外部类可控制
如同是,个人心脏只能由个人身体控制,其余人没法直接访问它
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
|
class
Out {
private
int
age =
12
;
public
void
Print(
final
int
x) {
class
In {
public
void
inPrint() {
System.out.println(x);
System.out.println(age);
}
}
new
In().inPrint();
}
}
public
class
Demo {
public
static
void
main(String[] args) {
Out out =
new
Out();
out.Print(
3
);
}
}
|
运行结果:
3
12
在上面的代码中,咱们将内部类移到了外部类的方法中,而后在外部类的方法中再生成一个内部类对象去调用内部类方法
若是此时咱们须要往外部类的方法中传入参数,那么外部类的方法形参必须使用final定义
至于final在这里并无特殊含义,只是一种表示形式而已