首页 > 代码库 > 监听器与适配器 Listener&Adapter

监听器与适配器 Listener&Adapter

为什么需要Adapter?   简短回答:简化

【事件源】 能注册(addxxxListener)监听对象发送事件对象

WindowListener listener = .....;frame.addWindowListener(listener);

特定事件 对应 特定的监听器接口(listener interface);

public interface WindowListener{   void windowOpened(WindowEvent e);   void windowClosing(WindowEvent e);}

为了处理特定事件,监听器要实现对应的接口,在Java中意味着需要实现接口的所有方法(windowOpened, windowClosing..)
但监听器可能只对其中某个方法感兴趣,其他方法不需要做任何事,那么实现起来就会很乏味:

class Terminator_A implements WindowListener{    public void windowClosing(WindowEvent e){        if(user agrees)             System.exit(0);    }    public void windowOpened(WindowEvent e){}    ...}

为了简化,每个含有多个方法的AWT监听接口都有一个适配器(Adapter)类,这个类实现了接口中的所有方法,但每个方法不做任何事情。需要构造监听
器Terminator_B时,只需要扩展(extends)这个适配器并Overriding 感兴趣的函数即可。如图所示:

技术分享

实际中,创建监听器类时我们将监听器定义为事件源的匿名内部函数,如下:

frame.addWindowListener(new WindowAdapter(){     public void windowClosing(WindowEvent e){          if(user agrees)              System.exit(0);     }});

 

监听器与适配器 Listener&Adapter