1. 程式人生 > >匿名內部類簡單例項

匿名內部類簡單例項

轉自:http://www.cnblogs.com/nerxious/archive/2013/01/25/2876489.html

匿名內部類也就是沒有名字的內部類

正因為沒有名字,所以匿名內部類只能使用一次,它通常用來簡化程式碼編寫

但使用匿名內部類還有個前提條件:必須繼承一個父類或實現一個介面

例項1:不使用匿名內部類來實現抽象方法

1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 abstract class Person { publicabstract voideat(); } class Child extends Person { publicvoid
eat() { System.out.println("eat something"); } } public class Demo { publicstatic void main(String[] args) { Person p =new Child(); p.eat(); } }

執行結果:eat something

可以看到,我們用Child繼承了Person類,然後實現了Child的一個例項,將其向上轉型為Person類的引用

但是,如果此處的Child類只使用一次,那麼將其編寫為獨立的一個類豈不是很麻煩?

這個時候就引入了匿名內部類

例項2:匿名內部類的基本實現

1 2 3 4 5 6 7 8 9 10 11 12 13 14 abstract class Person { publicabstract voideat(); } public class Demo { publicstatic void main(String[] args) { Person p =new Person() { publicvoid eat() { System.out.println("eat something"); } }; p.eat(); } }

執行結果:eat something

可以看到,我們直接將抽象類Person中的方法在大括號中實現了

這樣便可以省略一個類的書寫

並且,匿名內部類還能用於介面上

例項3:在介面上使用匿名內部類

interfacePerson { publicvoid eat(); } public class Demo { publicstatic void main(String[] args) { Person p =new Person() { publicvoid eat() { System.out.println("eat something"); } }; p.eat(); } }

執行結果:eat something

由上面的例子可以看出,只要一個類是抽象的或是一個介面,那麼其子類中的方法都可以使用匿名內部類來實現

最常用的情況就是在多執行緒的實現上,因為要實現多執行緒必須繼承Thread類或是繼承Runnable介面

例項4:Thread類的匿名內部類實現

public class Demo { publicstatic void main(String[] args) { Thread t =new Thread() { publicvoid run() { for(int i = 1; i <= 5; i++) { System.out.print(i +" "); } } }; t.start(); } }

執行結果:1 2 3 4 5

例項5:Runnable介面的匿名內部類實現

1 2 3 4 5 6 7 8 9 10 11 12 13 public class Demo { publicstatic void main(String[] args) { Runnable r =new Runnable() { publicvoid run() { for(int i = 1; i <= 5; i++) { System.out.print(i +" "); } } }; Thread t =new Thread(r); t.start(); } }

執行結果:1 2 3 4 5