我需要在我的Java GUI中运行后台线程,该线程仅在我单击按钮时运行,并在我再次单击该按钮时暂停。我不确定如何设置它,但是我已经在我的构造函数中放置了一个线程,并且当我将特定的布尔值设置为TRUE时,while循环设置为通过。一个按钮从设置此布尔值TRUE或FALSE切换。
我在此GUI中拥有的其他所有工作正常。当我尝试调试线程时,它实际上是在我逐步完成线程时工作但当我尝试完全运行GUI时没有任何内容。 GUI相当大,所以我要设置一部分构造函数和按钮的动作监听器。其余的代码是不必要的,因为它工作得很好。我需要知道我在做错了什么:
public BasketballGUI() {
// certain labels and buttons
Thread runningSim = new Thread() {
public void run() {
while(simRun) {
// do stuff here
}
}
};
runningSim.start();
}
// other GUI stuff
// actionListener that should run the thread.
class SimButtonListener implements ActionListener {
public void actionPerformed(ActionEvent arg0) {
if(!simRun) {
simRun = true;
sim.setText("Pause Simulator");
}
else if(simRun) {
simRun = false;
sim.setText("Run Simulator");
}
// other stuff in this actionListener
}
}
答案 0 :(得分:5)
Timer
ActionListener
将重复调用。actionPerformed(ActionEvent)
方法调用repaint()
。Timer.start()
)
Timer.stop()
)
醇>
如果您无法通过该说明进行操作,我建议您发布最佳尝试的SSCCE。
我以为我有一个'躺着'。试试这个使用working SSCCE中创建的图片的this SSCCE。
答案 1 :(得分:-1)
在处理按钮事件以影响文本区域或进度条等内容时,我可以看到此后台线程对Java GUI有用。
为了论证,我将为您构建一个影响文本区域的小GUI。我希望这会对你有所帮助。
import java.awt.*;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.util.concurrent.atomic.AtomicBoolean;
import javax.swing.*;
public class TestClass extends JPanel {
super("TestClass - Title");
private AtomicBoolean paused;
private JTextArea jta;
private JButton btn;
private Thread thread;
public TestClass() {
paused = new AtomicBoolean(false);
jta = new JTextArea(100, 100);
btn = new JButton();
initialize();
}
public void initialize() {
jta.setLineWrap(true);
jta.setWrapStyleWord(true);
add(new JScrollPane(jta));
btn.setPreferredSize(new Dimension(100, 100));
btn.setText("Pause");
btn.addActionListener(new ButtonListener());
add(btn);
Runnable runnable = new Runnable() {
@Override
public void run() {
while(true) {
for(int i = 0; i < Integer.MAX_VALUE; i++) {
if(paused.get()) {
synchronized(thread) {
try {
thread.wait();
} catch(InterruptedException e) {
}
}
}
}
jta.append(Integer.toString(i) + ", ");
try {
Thread.sleep(500);
} catch (InterruptedException e) {
}
}
}
};
thread = new Thread(runnable);
thread.start();
}
@Override
public Dimension getPreferredSize() {
return new Dimension(100, 30);
}
class ButtonListener implements ActionListener {
@Override
public void actionPerformed(ActionEvent event) {
if(!paused.get()) {
btn.setText("Start");
paused.set(true);
} else {
btn.setText("Pause");
paused.set(false);
synchronized(thread) {
thread.notify();
}
}
}
}
}
主要课程叫做一切。
import javax.swing.JFrame;
import javax.swing.SwingUtilities;
public class MainClass {
public static void main(final String[] arg) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
JFrame frame = new JFrame();
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.add(new TestClass());
frame.pack();
frame.setVisible(true);
frame.setLocationRelativeTo(null);
}
});
}
}
我没有测试此代码以查看它是否正常工作,其主要目标是让您完成编码器阻止并使用我的组件来解决您的问题。希望这有帮助。需要任何其他信息,请发送电子邮件至DesignatedSoftware@gmail.com