我打算编写一个程序,让用户从8*8矩阵中进行选择。因为我的声誉低于10,所以我不能包含图像,但请放心,它只是一个正常的8*8矩阵。我计划在我的Java程序中用8*8=64个单选按钮将其可视化。用户一次只能选择一个单选按钮,因此这意味着所有64个按钮都属于同一按钮组。
现在,我如何管理动作侦听器?为64个单选按钮中的每一个设置64个单独的动作监听器是不可能的(真的很无聊)。由于所有64个单选按钮都在同一个按钮组中,我有没有办法只设置一个事件监听器来检查选择了哪个按钮?
如果我提供的任何信息不清楚,请告诉我:)
PS:我正在使用Netbeans设计工具
创建类似的二维JRadioButton
阵列
JRadioButton[][] jRadioButtons = new JRadioButton[8][];
ButtonGroup bg = new ButtonGroup();
JPanel panel = new JPanel();
panel.setLayout(new GridLayout(8, 8));
for (int i = 0; i < 8; i++) {
for (int j = 0; j < 8; j++) {
JRadioButton btn = new JRadioButton();
btn.addActionListener(listener);
btn.setName("Btn[" + i + "," + j + "]");
bg.add(btn);
panel.add(btn);
// can be used for other operations
jRadioButtons[i][j] = btn;
}
}
这是所有JRadioButtons 的单个ActionListener
ActionListener listener = new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
JRadioButton btn = (JRadioButton) e.getSource();
System.out.println("Selected Button = " + btn.getName());
}
};
动作侦听器将获得一个ActionEvent。您可以制作一个监听器,将其绑定到所有按钮,并使用getSource()
:检查事件源
void actionPerformed(ActionEvent e) {
Object source = e.getSource();
...
}
我认为您正在实现这样的单选按钮:
JRadioButton radioButton = new JRadioButton("TEST");
如果你这样做,你必须为每个按钮设置一个ActionListener(例如在for循环中初始化和设置ActionListener),并使用以下语句:
radioButton.addActionListener(this)
(如果在同一类中实现ActionListener)
最后,你可以转到你的actionPerformed(ActionEvent e)
方法,用e.getSource
获得源,然后做一些类似于if else的事情来获得正确的RadioButton:
if(e.getSource == radioButton1)
{
// Action for RadioButton 1
}
else if(e.getSource == radioButton2)
{
// Action for RadioButton 2
}
...