匿名內部類及如何訪問外部變數
阿新 • • 發佈:2018-12-26
一、java中匿名內部類
1、匿名內部類也就是沒有名字的內部類
2、正因為沒有名字,所以匿名內部類只能使用一次,它通常用來簡化程式碼編寫
3、但使用匿名內部類還有個前提條件:必須繼承一個父類或實現一個介面
二、實現抽象方法不使用匿名內部類與使用匿名內部類比較
不使用匿名內部類:
abstract class Person { public abstract void eat(); } class Child extends Person { public void eat() { System.out.println("eat something"); } } public class Demo { public static void main(String[] args) { Person p = new Child(); p.eat(); } }
執行結果:eat something
可以看到,我們用Child繼承了Person類,然後實現了Child的一個例項,將其向上轉型為Person類的引用。但是,如果此處的Child類只使用一次,那麼將其編寫為獨立的一個類豈不是很麻煩?這個時候就引入了匿名內部類
使用匿名內部類:
abstract class Person { public abstract void eat(); } public class Demo { public static void main(String[] args) { Person p = new Person() { public void eat() { System.out.println("eat something"); } }; p.eat(); } }
執行結果:eat something
可以看到,我們直接將抽象類Person中的方法在大括號中實現了。這樣便可以省略一個類的書寫,並且,匿名內部類還能用於介面上
三、在介面上使用匿名內部類
interface Person { public void eat(); } public class Demo { public static void main(String[] args) { Person p = new Person() { public void eat() { System.out.println("eat something"); } }; p.eat(); } }
執行結果:eat something
由上面的例子可以看出,只要一個類是抽象的或是一個介面,那麼其子類中的方法都可以使用匿名內部類來實現,最常用的情況就是在多執行緒的實現上,因為要實現多執行緒必須繼承Thread類或是繼承Runnable介面。
四、Thread類及Runnable介面匿名內部類實現
public class Demo {
public static void main(String[] args) {
Thread t = new Thread() {
public void run() {
for (int i = 1; i <= 5; i++) {
System.out.print(i + " ");
}
}
};
t.start();
}
}
執行結果:1 2 3 4 5
public class Demo {
public static void main(String[] args) {
Runnable r = new Runnable() {
public void run() {
for (int i = 1; i <= 5; i++) {
System.out.print(i + " ");
}
}
};
Thread t = new Thread(r);
t.start();
}
}
執行結果:1
2 3 4 5五、匿名內部類如何訪問在其外面定義的變數?
修改如下:
package com.deppon.tps.module;
abstract class Person {
public abstract void eat();
}
public class Test1 {
public static void main(String[] args) {
final int a=3;
Person p = new Person() {
public void eat() {
System.out.println(a);
}
};
p.eat();
}
}
故:匿名內部類為什麼訪問外部類區域性變數必須是final