我想通过组合几个现有组件来创建一个(简单的,有希望的)自定义Swing组件。在我的例子中,它是一个开关开关,由一个JLabel和两个用于On和Off的JButton组成。我通过扩展JPanel来开始OnOffSwitch。构造函数添加子组件,并将其自身设置为按钮的ActionListener。该类有一个isOn()方法,用于查询组件的当前状态。
我现在想要添加将ActionListeners添加到OnOffSwitch类的功能。我希望通过扩展像JPanel这样的Swing组件来免费提供这个功能,但是JPanel没有这个功能。通过源代码的外观,每个具有此功能的Swing组件都会自行重新实现它:向列表添加侦听器,触发ActionEvents等等。
达到我想要的正确方法是什么?我可以从各种Swing组件中复制/粘贴该代码(或重写其中的要点),或者我可以实现自己的OnOffSwitchListener接口。为了保持一致,似乎所有组件都应该使用ActionListeners。
答案 0 :(得分:7)
我会使用JToggelButton
,如here所示,或委托给包含的按钮,如@duffymo所示。如果确实需要自定义OnOffSwitchEvent
,则EventListenerList
中会列出标准布线,其中的实例包含在每个JComponent
中。
附录:这是委托给包含两个按钮的ButtonGroup
的示例。标签用符号装饰,但Icon
的任何实现都更加灵活。
import java.awt.Color;
import java.awt.EventQueue;
import java.awt.FlowLayout;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import javax.swing.ButtonGroup;
import javax.swing.JComponent;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JToggleButton;
/** @see https://stackoverflow.com/questions/6035834 */
public class ButtonGroupTest extends JComponent {
private static final String ON = "On";
private static final String OFF = "Off";
private final JToggleButton bOn = new JToggleButton(ON);
private final JToggleButton bOff = new JToggleButton(OFF);
private final JLabel label = new JLabel(" \u2301 ");
private final ButtonHandler handler = new ButtonHandler();
public ButtonGroupTest() {
this.setLayout(new FlowLayout());
label.setOpaque(true);
label.setBackground(Color.red);
label.setFont(label.getFont().deriveFont(36f));
ButtonGroup bg = new ButtonGroup();
this.add(bOn);
bg.add(bOn);
bOn.setSelected(true);
bOn.addActionListener(handler);
this.add(label);
this.add(bOff);
bg.add(bOff);
bOff.addActionListener(handler);
}
public void addActionListener(ActionListener listener) {
bOn.addActionListener(listener);
bOff.addActionListener(listener);
}
private class ButtonHandler implements ActionListener {
@Override
public void actionPerformed(ActionEvent e) {
String cmd = e.getActionCommand();
if (ON.equals(cmd)) {
label.setBackground(Color.red);
} else {
label.setBackground(Color.black);
}
}
}
private void display() {
JFrame f = new JFrame("ButtonGroupTest");
f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
f.add(this);
f.pack();
f.setLocationRelativeTo(null);
f.setVisible(true);
}
public static void main(String[] args) {
EventQueue.invokeLater(new Runnable() {
@Override
public void run() {
new ButtonGroupTest().display();
}
});
}
}
答案 1 :(得分:5)
我个人认为您不需要自定义Swing组件。您的UI类不需要扩展任何Swing类;你不太可能提供很多自定义行为。 (我可能会承认组成其他人的JPanel。)
我更喜欢作文而不是继承。拥有一个具有Swing数据成员的UI类,并为其提供在需要时添加和删除Listener的方法。您可以通过这种方式更改行为,而无需重写UI类。它只不过是一个容器。
public class MyUI
{
private Button b = new Button();
public void addButtonListener(ActionListener listener) { this.b.addActionListener(listener); }
}
答案 2 :(得分:3)
通过源代码的外观,每个具有此[ActionListener]功能的Swing组件都会自行重新实现它:向列表添加侦听器,触发ActionEvents等等。
是的。这就是你在编写自定义Swing组件时必须要做的事情。
正如您所说,您可以从现有的Swing组件中复制ActionListener
代码,