2

我经常实现一些面板,它们提供控件等常用功能。为此,我希望能够添加侦听器,以便调用者可以附加到控件并获取有关更改的通知。

到目前为止,我只是简单地使用了我自己的方法来List保存监听器,当我想触发一个动作时,我会遍历列表并调用监听器。从外面看,这基本上看起来像任何其他Swing控件,但是我想知道这是否真的是应该使用的方法。

特别是我想知道是否在循环中调用侦听器Swing本身也是这样做的,或者是否有某种队列可以放置动作,以便Swing决定何时交付此类动作。

当我对此进行调查时,我遇到了以下代码:

protected void fireActionPerformed(ActionEvent event)
{
    Object[] listeners = listenerList.getListenerList();
    ActionEvent e = null;

    // Process the listeners last to first, notifying
    // those that are interested in this event
    for (int i = listeners.length-2; i>=0; i-=2)
    {
        if(listeners[i] instanceof ActionListener)
        {
            // Lazily create the event:
            if (e == null)
            {
                String actionCommand = event.getActionCommand();

                e = new ActionEvent(this,
                        ActionEvent.ACTION_PERFORMED,
                        actionCommand,
                        event.getWhen(),
                        event.getModifiers());
                e.setSource(event.getSource());
            }
            ((ActionListener)listeners[i+1]).actionPerformed(e);
        }
    }
}

成员listenerListfromJComponent是直接访问的,感觉有点奇怪。但是到目前为止,我并没有真正找到更好的方法。此外,当为此添加新侦听器时,我现在如下所示执行此操作,但我不确定这是否真的是合适的方式:

public void addQueryListener(ActionListener oListener)
{
    listenerList.add(ActionListener.class, oListener);
}

public void removeQueryListener(ActionListener oListener)
{
    listenerList.remove(ActionListener.class, oListener);
}

所以我想知道,访问listenerList成员是否是添加和删除侦听器的正确方法,以便它们的行为与任何其他标准控件一样?还是有一些best practice应该如何完成的,我到目前为止还没有?

4

2 回答 2

1

EventListenerList文档中有一个很好的例子,这个Converter例子listenerListConverterRangeModel.

于 2013-07-16T10:57:23.850 回答
1

请记住 Swings 对创建 gui 的限制。以这种方式访问​​ ** listenerlist ** 没有害处。可能这不是最好的方法。Swing 被假定为单线程并且不是线程安全的。

http://codeidol.com/java/java-concurrency/GUI-Applications/Why-are-GUIs-Single-threaded/

AddListener 和 RemoveListener 需要在 EDT(事件调度线程)上调用,请参见http://en.wikipedia.org/wiki/Event_dispatching_thread

另请参阅 Listenere 的迭代,即当您调用 getActionListeners 时

它会创建 ListenersList 的副本并返回给您

以下来自 EventListenerList 的代码

public <T extends EventListener> T[] getListeners(Class<T> t) {
Object[] lList = listenerList; 
int n = getListenerCount(lList, t); 
    T[] result = (T[])Array.newInstance(t, n); 
int j = 0; 
for (int i = lList.length-2; i>=0; i-=2) {
    if (lList[i] == t) {
    result[j++] = (T)lList[i+1];
    }
}
return result;   
}
于 2013-07-16T09:54:49.880 回答