我一直都搞不懂为什么这个程序不能在Java 7上运行。我在使用Java 6的时候运行它没有任何问题,但是一旦我在Java 7上运行它,它就不能工作了。
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import javax.swing.*;
public class HelloWorld implements ActionListener {
JButton button;
boolean state;
public HelloWorld(){
init();
state = false;
System.out.println("state - "+state);
while (true){
if (state == true){
System.out.println("Success");
}
}
}
private void init(){
JFrame frame = new JFrame();
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
button = new JButton("Button");
button.addActionListener(this);
frame.add(button);
frame.pack();
frame.setVisible(true);
}
@Override
public void actionPerformed(ActionEvent e) {
JButton source = (JButton)e.getSource();
if (source == button){
state = !state;
System.out.println("state - "+state);
}
}
/**
* @param args the command line arguments
*/
public static void main(String[] args) {
new HelloWorld();
}
}
使用Java6时,如果我按下按钮,它将打印出短语“成功”,直到我再次按下按钮。使用Java7注册按钮被按下,状态值被更改为true,但永远不会打印短语"Success“。到底怎么回事?
发布于 2012-10-10 01:18:21
将volatile
添加到字段声明中。
如果没有volatile
,则不能保证字段中的更改在其他线程上可见。
特别是,JITter可以自由地相信主线程上的字段永远不会更改,从而允许它完全删除if
。
发布于 2012-10-10 01:29:28
当您显示JFrame时
frame.setVisible(true);
Java显示窗口并在该行上停止执行。
您已将窗口配置为在关闭时退出:
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
此程序将在您关闭窗口后终止。
因此,init()
调用之后的代码将永远不会执行。
https://stackoverflow.com/questions/12810627
复制