我正在尝试控制程序中的while循环,以根据用户输入停止和启动。我用一个按钮尝试了这个并且"开始"它的一部分工作,但然后代码进入一个无限循环,我不能手动终止它。以下是我的所有代码: 标题类
package test;
import javax.swing.JFrame;
public class headerClass {
public static void main (String[] args){
frameClass frame = new frameClass();
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.setSize(150,75);
frame.setVisible(true);
}
}
框架类
package test;
import javax.swing.*;
import java.awt.*;
import java.awt.event.*;
public class frameClass extends JFrame {
private JButton click;
public frameClass(){
setLayout(new FlowLayout());
click = new JButton("Stop Loop");
add(click);
thehandler handler = new thehandler();
click.addActionListener(handler);
}
private class thehandler implements ActionListener{
public void actionPerformed(ActionEvent e){
if(e.getSource()==click){
looper loop = new looper();
looper.buttonSet = !looper.buttonSet;
}
}
}
}
循环课程
package test;
public class looper {
public static boolean buttonSet;
public looper(){
while (buttonSet==false){
System.out.println("aaa");
}
}
}
如何解决此问题并停止进入无限循环?
答案 0 :(得分:8)
Swing是一个单线程框架,这意味着当循环运行时,事件调度线程被阻止,无法处理新事件,包括重绘请求......
你需要在它自己的线程上下文中启动你的Looper类。这也意味着您的循环标志需要声明为volatile
,或者您应该使用AtomicBoolean
,以便可以跨线程边界检查和修改状态
例如......
public class Looper implements Runnable {
private AtomicBoolean keepRunning;
public Looper() {
keepRunning = new AtomicBoolean(true);
}
public void stop() {
keepRunning.set(false);
}
@Override
public void run() {
while (keepRunning.get()) {
System.out.println("aaa");
}
}
}
然后你可以使用像...这样的东西。
private class thehandler implements ActionListener {
private Looper looper;
public void actionPerformed(ActionEvent e) {
if (e.getSource() == click) {
if (looper == null) {
looper = new Looper();
Thread t = new Thread(looper);
t.start();
} else {
looper.stop();
looper = null;
}
}
}
}
运行它......
请查看Concurrency in Swing和Concurrency in Java了解更多详情
另外要注意,Swing不是线程安全的,你不应该在EDT的上下文中创建或修改UI
答案 1 :(得分:2)
问题是你开始一个无限循环并尝试在同一个线程中终止它。这不起作用,因为VM在一个接一个的线程中执行一个任务。 将执行命令以在循环完成后直接停止looper
,但无限循环永远不会完成。所以它不能像这样停止。
您需要为looper创建第二个Thread
。这样您就可以从主线程中停止它。