2

我在回答这个问题时遇到了这个有趣的情况。

试试这段设计不佳的代码 -

import javax.swing.*;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;

class abc extends JFrame implements ActionListener
{

boolean button_clicked = false;
JButton b1;

abc(){
    this.setSize (400, 400);
    this.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    this.createUI();
}

void createUI(){
    this.setLayout(null);
    b1 = new JButton("Click here");
    b1.setSize(110,30);
    b1.setLocation(10,210);
    this.add(b1);
    b1.addActionListener(this);
}

public boolean isButton_clicked()
{
    return button_clicked;
}

public void setButton_clicked(boolean button_clicked) {
    this.button_clicked = button_clicked;
}



public void actionPerformed(ActionEvent arg0) {
    button_clicked = true;
}

}

这是主要方法。

class tempMain extends JFrame
{

public static void main(String[] args) throws Exception
{
    abc temp = new abc();
    temp.setVisible(true);
    while(true)
    {
    //  Thread.sleep(200);
        if(temp.isButton_clicked())
        {
            JOptionPane.showMessageDialog(null, "Hello");
            temp.setButton_clicked(false);
        }
    }
}
}

当我在我的 Windows 7 机器上运行它时,在单击按钮后至少大约一分钟(我没有等待)之后没有发生任何事情。

现在,只需做一点小改动——

  Thread.sleep(200); // uncomment this from the main.

令人惊讶的是,它可以正常工作并显示 JOptionPane 消息。为什么第一次没有显示消息?

4

1 回答 1

2

令人惊讶的是,它可以正常工作并显示 JOptionPane 消息。为什么第一次没有显示消息?

button_clicked未标记为volatile并且正在从与主线程不同的线程更新。由于回调是从事件处理程序线程进行的,因此主线程不会看到更新,除非button_clicked定义为volatile boolean. 进入睡眠状态可能允许跨越内存屏障并button_clicked幸运地在主线程中更新。

这里有一些关于 volatile的更多信息,以及为什么在我们处理多个线程时它很重要。


另一个问题是您有一个无限循环,它正在向System.out. 这会在一段时间后完全阻塞,因为控制台无法快速显示行,这会停止检查点击。

于 2012-08-29T17:57:34.860 回答