用于订阅的Java侦听器设计模式

时间:2011-01-21 20:00:04

标签: java events event-handling listeners

我正在尝试设计一个与c#delegates概念相似的Java系统。

以下是我希望实现的基本功能:

public class mainform
{
   public delegate onProcessCompleted
//......
    processInformation()
    {
            onProcessCompleted(this);
    }

//......
}


//PLUGIN

public class PluginA
{
        public PluginA()
        {
            //somehow subscribe to mainforms onProcessingCompleted with callback myCallback()
        }

        public void myCallback(object sender)
        {
        }


}

我已阅读此网站:http://www.javaworld.com/javaqa/2000-08/01-qa-0804-events.html?page=1

他们参考手动实施整个“订阅列表”。但是代码并不是一个完整的例子,而且我已经习惯了c#,因为我无法理解如何在java中实现它。

有没有人能够看到我能看到的工作考试?

感谢
斯蒂芬妮

1 个答案:

答案 0 :(得分:15)

在Java中,您没有函数委托(有效的方法引用);你必须传递一个实现某个接口的整个类。 E.g。

class Producer {
  // allow a third party to plug in a listener
  ProducerEventListener my_listener;
  public void setEventListener(ProducerEventListener a_listener) {
    my_listener = a_listener;
  }

  public void foo() {
    ...
    // an event happened; notify the listener
    if (my_listener != null) my_listener.onFooHappened(new FooEvent(...));
    ...
  }
}


// Define events that listener should be able to react to
public interface ProducerEventListener {
  void onFooHappened(FooEvent e);
  void onBarOccured(BarEvent e);
  // .. as many as logically needed; often only one
}


// Some silly listener reacting to events
class Consumer implements ProducerEventListener {
  public void onFooHappened(FooEvent e) {
    log.info("Got " + e.getAmount() + " of foo");
  }
  ...
}

...
someProducer.setEventListener(new Consumer()); // attach an instance of listener

通常,您可以通过匿名类创建简单的侦听器:

someProducer.setEventListener(new ProducerEventListener(){
  public void onFooHappened(FooEvent e) {
    log.info("Got " + e.getAmount() + " of foo");
  }    
  public void onBarOccured(BarEvent e) {} // ignore
});

如果您希望每个事件允许多个侦听器(例如GUI组件),您可以管理通常希望同步的列表,并使用addWhateverListenerremoveWhateverListener来管理它。 / p>

是的,这个 非常麻烦。你的眼睛不会骗你。