Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How can I give a variable to an action listener?

I have a static variable partner in the class. And I want to set a value of these variable whenever a radio button is pressed. This is the code I tried to use:

for (String playerName: players) {
    option = new JRadioButton(playerName, false);
    option.addActionListener(new ActionListener(){
        @Override
        public void actionPerformed(ActionEvent evt) {
            partner = playerName;
        }
    });
    partnerSelectionPanel.add(option);
    group.add(option);
}

The problem here is that the actionPerformed does not see the variable playerName created in the loop. How can I pass this variable to the actionListener?

like image 466
Roman Avatar asked Dec 17 '22 02:12

Roman


1 Answers

for (final String playerName: players) {
    option = new JRadioButton(playerName, false);
    option.addActionListener(new ActionListener(){
        @Override
        public void actionPerformed(ActionEvent evt) {
            partner = playerName;
        }
    });
    partnerSelectionPanel.add(option);
    group.add(option);
}

Local variables passed to inner classes must be final. Originally I thought that you cannot make playerName final in the for loop, but in fact you can. If that wasn't the case, you would simply store playerName in additional final variable (final String pn = playerName) and used pn from actionPerformed.

like image 82
Peter Štibraný Avatar answered Dec 19 '22 17:12

Peter Štibraný