Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Which JRadioButton selected

I have several JRadioButtons in a ButtonGroup.

   private ButtonGroup radioGroup= new ButtonGroup();
   private JRadioButton radio1= new JRadioButton("Red");
   private JRadioButton radio2= new JRadioButton("Green");
   private JRadioButton radio3= new JRadioButton("Blue");

   radioGroup.add(radio1);
   radioGroup.add(radio2);
   radioGroup.add(radio3);

How can I check which one was selected?

With System.out.println(radioGroup.getSelection()) I only get something like javax.swing.JToggleButton$ToggleButtonModel@32b3714.

like image 324
Evgenij Reznik Avatar asked Dec 12 '22 03:12

Evgenij Reznik


2 Answers

From the selected ButtonModel, you can get the actionCommand String (if you remember to set it!).

// code not compiled, run, nor tested in any way
ButtonModel model = radioGroup.getSelection();
String actionCommand = (model == null) ? "" : model.getActionCommand():
System.out.println(actionCommand);

But this will only work if you set the actionCommand first. e.g.,:

// code not compiled, run, nor tested in any way
String[] colors = {"Red", "Green", "Blue"};
JRadioButton[] radioBtns = new JRadioButton[colors.length];
for (int i = 0; i < radioBtns.length; i++) {
   radioBtns[i] = new JRadioButton(colors[i]);
   radioBtns[i].setActionCommand(colors[i]);
   radioGroup.add(radioBtns[i]);
   somePanel.add(radioBtns[i]);
}
like image 135
Hovercraft Full Of Eels Avatar answered Dec 23 '22 13:12

Hovercraft Full Of Eels


What you're seeing is the default implementation of the toString method. And ButtonGroup#getSelection will return the ButtonModel of the selected JRadioButton.

See also How do I get which JRadioButton is selected from a ButtonGroup.

like image 44
mre Avatar answered Dec 23 '22 12:12

mre