0

好的,所以我使用以下代码在具有空布局的 J 面板上动态制作了一行 J 按钮:

int Y = 100;
int X = 100;
for(x=1, x<=20, x++){
    button = new JButton(x);
    button.setLayout(null);
    button.setSize(100, 100);
    button.setLocation(X,Y);
    button.setVisible(true);
    panel.add(button); 

    X += 100;

    //action listener
    button.addActionListener(new ActionListener() {
        public void actionPerformed(ActionEvent e) {
            //should print out the location of the button that was clicked
            System.out.println(button.getLocation());
        }
    });
}

当我按下按钮时,我希望它在面板上打印它的位置,但它会打印出每次添加的最后一个按钮的位置,请帮忙。

请注意,我是编程新手

4

1 回答 1

3

每次运行循环时都会重新定义变量,因此button当您最终调用actionPerformed方法时,您正在读取最后一个按钮的数据。循环在任何事件发生之前完成,并保存了在button变量中创建的最后一个按钮的引用。

您需要button从事件对象中引用 ,因为它包含对作为事件源的按钮的引用:

button.addActionListener(new ActionListener() {
    public void actionPerformed(ActionEvent e) {
        //should print out the location of the button that was clicked
        System.out.println( ((JButton)e.getSource()).getLocation() );
    }
});

addActionListener方法被调用 20 次,但该actionPerformed方法是异步调用的,并且仅在发生动作事件(例如:按钮单击)时调用。ActionEvent 对象包含有关事件的信息,其中包括事件源,即您的按钮。

于 2014-03-02T21:31:07.023 回答