案例一 下面使用java回呼函數來實現一個測試函數已耗用時間的工具類:如果我們要測試一個類的方法的執行時間,通常我們會這樣做:
- public class TestObject {
- /**
- * 一個用來被測試的方法,進行了一個比較耗時的迴圈
- */
- public static void testMethod(){
- for ( int i= 0 ; i< 100000000 ; i++){
-
- }
- }
- /**
- * 一個簡單的測試方法執行時間的方法
- */
- public void testTime(){
- long begin = System.currentTimeMillis(); //測試起始時間
- testMethod(); //測試方法
- long end = System.currentTimeMillis(); //測試結束時間
- System.out.println("[use time]:" + (end - begin)); //列印使用時間
- }
-
- public static void main(String[] args) {
- TestObject test=new TestObject();
- test.testTime();
- }
- }
大家看到了testTime()方法,就只有"//測試方法"是需要改變的,下面我們來做一個函數實現相同功能但更靈活:
首先定一個回調介面:
- public interface CallBack {
- //執行回調操作的方法
- void execute();
- }
然後再寫一個工具類:
- public class Tools {
-
- /**
- * 測試函數使用時間,通過定義CallBack介面的execute方法
- * @param callBack
- */
- public void testTime(CallBack callBack) {
- long begin = System.currentTimeMillis(); //測試起始時間
- callBack.execute(); ///進行回調操作
- long end = System.currentTimeMillis(); //測試結束時間
- System.out.println("[use time]:" + (end - begin)); //列印使用時間
- }
-
- public static void main(String[] args) {
- Tools tool = new Tools();
- tool.testTime(new CallBack(){
- //定義execute方法
- public void execute(){
- //這裡可以加放一個或多個要測試回合時間的方法
- TestObject.testMethod();
- }
- });
- }
-
- }
大家看到,testTime()傳入定義callback介面的execute()方法就可以實現回調功能
案例二
程式員A寫了一段程式(程式a),其中預留有回呼函數介面,並封裝好了該程式。程式員B要讓a調用自己的程式b中的一個方法,於是,他通過a中的介面回調自己b中的方法。目的達到。在C/C++中,要用回呼函數,被掉函數需要告訴調用者自己的指標地址,但在JAVA中沒有指標,怎麼辦?我們可以通過介面(interface)來實現定義回呼函數。
假設我是程式員A,以下是我的程式a:
[java] view plaincopyprint?
- public class Caller
- {
- public MyCallInterface mc;
-
- public void setCallfuc(MyCallInterface mc)
- {
- this.mc= mc;
- }
-
- public void call(){
- this.mc.method();
- }
- }
我還需要定義一個介面,以便程式員B根據我的定義編寫程式實現介面。
[java] view plaincopyprint?
- public interface MyCallInterface
- {
- public void method();
-
- }
於是,程式員B只需要實現這個介面就能達到回調的目的了:
[java] view plaincopyprint?
- public class B implements MyCallInterface
- {
- public void method()
- {
- System.out.println("回調");
- }
-
- public static void main(String args[])
- {
- Caller call = new Caller();
- call.setCallfuc(new B());
- call.call();
- }
- }