Java 回调函数例子

时间:2021-07-29 07:58:07
  1. 首先定义一个类Caller,按照上面的定义就是程序员A写的程序a,这个类里面保存一个接口引用。
public class Caller {
    private MyCallInterface callInterface;  

    public Caller() {
    }  

    public void setCallFunc(MyCallInterface callInterface) {
        this.callInterface = callInterface;
    }  

    public void call() {
        callInterface.printName();
    }
}
  1. 当然需要接口的定义,为了方便程序员B根据我的定义编写程序实现接口。
public interface MyCallInterface {
    public void  printName();
}
  1. 第三是定义程序员B写的程序b
public class Client implements MyCallInterface {  

    @Override
    public void printName() {
        System.out.println("This is the client printName method");
    }
}
  1. 测试如下
public class Test {
    public static void main(String[] args) {
        Caller caller = new Caller();
        caller.setCallFunc(new Client());
        caller.call();
    }
}
  1. 在测试方法中直接使用匿名类,省去第3步。
public class Test {
    public static void main(String[] args) {
        Caller caller = new Caller();
//      caller.setCallFunc(new Client());
        caller.setCallFunc(new MyCallInterface() {
            public void printName() {
                System.out.println("This is the client printName method");
            }
        });
        caller.call();
    }
}