大力:“内部类回调外部类的实现,是咋回事?”
卫琴:“回调实质上是指一个外部类尽管实际上实现了某种功能,但是没有直接提供相应的接口,客户类可以通过这个外部类的内部类的接口来获得这种功能。而这个内部类本身并没有提供真正的实现,仅仅调用外部类的实现。可见,回调充分发挥了内部类具有访问外部类的实现细节的优势。”
大力:“既然外部类已经提供了某功能的实现细节,那为啥不向客户程序提供公开的接口,而是由内部类来提供接口呢?”
卫琴:“我举个例子,你就会明白为啥有时候外部类无法自己出面,却要委托内部类来充当接口。”
在以下Adjustable接口和Base类中都定义了adjust()方法,这两个方法的参数签名相同,但是有着不同的功能。
public interface Adjustable{
/** 调节温度 */
public void adjust(int temperature);
}
public class Base{
private int speed;
/** 调节速度 */
public void adjust(int speed){
this.speed=speed;
}
}
如果有一个Sub类同时具有调节温度和调节速度的功能,那么Sub类需要继承Base类,并且实现Adjustable接口,但是以下代码并不能满足这一需求:
public class Sub extends Base implements Adjustable{
private int temperature;
public void adjust(int temperature){
this.temperature=temperature;
}
}
以上Sub类实现了Adjustable接口中的adjust()方法,并且把Base类中的adjust()方法覆盖了,这意味着Sub类仅仅有调节温度的功能,但失去了调节速度的功能。可以用内部类来解决这一问题:
public class Sub extends Base {
private int temperature;
private void adjustTemperature(int temperature){
this.temperature=temperature;
}
private class Closure implements Adjustable{
public void adjust(int temperature){
adjustTemperature(temperature);
}
}
public Adjustable getCallBackReference(){
return new Closure();
}
}
为了使Sub类既不覆盖Base类的adjust()方法,又能实现Adjustable接口的adjust()方法,Sub类采取了以下措施:
(1)定义了一个private类型的adjustTemperature()方法,该方法实现了调节温度的功能。为了避免覆盖Base类的adjust()方法,故意取了不同的名字。
(2)定义了一个private类型的实例内部类Closure,这个类实现了Adjustable接口,在这个类的adjust()方法中,调用Sub外部类的adjustTemperature()方法。
(3)定义了getCallBackReference()方法,该方法返回Closure类的实例。
以下代码演示客户类使用Sub类的调节温度的功能:
Sub sub=new Sub();
Adjustable ad=sub.getCallBackReference();
ad.adjust(15);
客户类先调用Sub实例的getCallBackReference()方法,获得内部类Closure的实例,然后再调用Closure实例的adjust()方法,该方法又调用Sub实例的adjustTemperature()方法。这种调用过程称为回调。
上文参考孙卫琴的经典Java书籍《Java面向对象编程》
标签:范例,Base,Adjustable,场合,Sub,adjust,Java,public,temperature From: https://blog.51cto.com/sunweiqin/7894649