实施java.awt.event.ActionListener
界面的最佳方式是什么?
让您的类实现ActionListener并将其添加为ActionListener:
class Foo implements ActionListener{
public Foo() {
JButton button = new JButton();
button.addActionListener(this);
}
public void actionPerformed(ActionEvent e) {
}
}
或者添加匿名ActionListener类的对象:
class Foo{
public Foo() {
JButton button = new JButton();
button.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
}
});
}
}
答案 0 :(得分:30)
有些人(jeanette / kleopatra)说几乎从不使用ActionListener,而是使用诸如AbstractAction之类的动作。让你的GUI类实现你的监听器几乎总是一个坏的理想,因为这会破坏Single Responsibility Principle并使你的代码更难以维护和扩展,所以我强烈建议你不要这样做。
例如,这是一个内部类:
import java.awt.event.ActionEvent;
import java.awt.event.KeyEvent;
import javax.swing.AbstractAction;
import javax.swing.JButton;
class Foo {
public Foo() {
JButton button = new JButton(new ButtonAction("Action", KeyEvent.VK_A));
}
private class ButtonAction extends AbstractAction {
public ButtonAction(String name, Integer mnemonic) {
super(name);
putValue(MNEMONIC_KEY, mnemonic);
}
@Override
public void actionPerformed(ActionEvent e) {
System.out.println("button pressed");
}
}
}
答案 1 :(得分:8)
第二个选项(匿名类)肯定更好,另一个选择是在Foo
内有一个嵌套类。
我不会选择第一个选项,原因有两个:
Foo
的用户不必知道它实现了ActionListener
。答案 2 :(得分:4)
这取决于。如果要在多个组件中重用ActionListener
,则选项一更好。如果ActionListener
只与一个按钮相关联,则选项二很好。
通常,如果您预计项目会有一些增长,您可以创建一个单独的类(或内部类)。 Foo
无需实施ActionListener
。