我在为架构编写原型时遇到了一个奇怪的问题。
我尝试创建两个独立分派相同命令的线程。第一个线程是使用Scanner
,第二个线程依赖于Swing。问题是第一个线程阻止第二个线程启动。第二个线程仅在扫描器获得足够的输入后启动。强制第一个线程休眠直到第二个线程启动也暂时解决了问题。
以下示例非常一致地重现此行为。在通话之间休息使其更加一致。
import java.awt.BorderLayout;
import java.awt.EventQueue;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.util.Scanner;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.WindowConstants;
public final class Bug {
public static void main(final String[] arguments) {
new Thread(new Runnable() {
@Override
public void run() {
System.out.println("The commands are \"wait\" and \"quit\".");
final Scanner scanner = new Scanner(System.in);
loop: while (true) {
System.out.print("Enter a command: ");
final String command = scanner.nextLine();
switch (command.toLowerCase()) {
case "exit":
case "quit":
break loop;
default:
System.out.println("Use \"wait\" or \"quit\" instead of \"" + command + "\".");
case "wait":
}
}
scanner.close();
}
}).start();
try {
Thread.sleep(1000);//improves consistency
}
catch (final InterruptedException exception) {}
EventQueue.invokeLater(new Runnable() {
@Override
public void run() {
final JFrame frame = new JFrame("Commands");
frame.setDefaultCloseOperation(WindowConstants.DISPOSE_ON_CLOSE);
frame.setResizable(false);
frame.setLayout(new BorderLayout());
frame.add(new JButton("Wait"), BorderLayout.LINE_START);
final JButton button = new JButton("Quit");
button.addActionListener(new ActionListener() {
@Override
public void actionPerformed(final ActionEvent event) {
frame.dispose();
}
});
frame.add(button, BorderLayout.LINE_END);
frame.pack();
frame.setVisible(true);
}
});
}
}
为什么第二个线程没有正常启动?我应该受到责备吗?
十年前,similar problem被提交为一个错误。
运行java -version
会导致
java version "1.7.0_21"
Java(TM) SE Runtime Environment (build 1.7.0_21-b11)
Java HotSpot(TM) Client VM (build 23.21-b01, mixed mode, sharing)
和<{p>中的cmd -info
Microsoft Windows XP [Version 5.1.2600]
(C) Copyright 1985-2001 Microsoft Corp.
如果重要的话。
答案 0 :(得分:0)
这段代码对我有用,虽然我不得不用一系列if / else来替换开关if(我使用的是Java 1.6)
final String command = scanner.nextLine().toLowerCase();
if (command.equals("exit") || command.equals("quit")) {
break loop;
} else if (!command.equals("wait")) {
System.out.println("Use \"wait\" or \"quit\" instead of \"" + command + "\".");
}
答案 1 :(得分:0)
这可能是因为您正在为第二个线程使用EventQueue.invokeLater()。当线程启动时,第一个线程可能已经在控制台等待用户输入。我可以想象EventQueue可能不会立即触发你的第二个线程,因为第一个线程已经在等待输入,从而堵塞了事件泵。
我建议你使用不同的机制来启动第二个线程。为什么不像你的第一个线程一样启动呢?
此外,我同意其他评论,即应重构此代码,以帮助更清楚地了解正在发生的事情以及原因。