我正在尝试从我的Thread
(这是一个简单的计数器)调用一个函数。线程在没有该功能的情况下运行良好,但是当我尝试调用它时,我收到此错误:
Exception in thread "Thread-5" java.lang.IllegalStateException: Not on FX application thread; currentThread = Thread-5
at com.sun.javafx.tk.Toolkit.checkFxUserThread(Toolkit.java:236)
at com.sun.javafx.tk.quantum.QuantumToolkit.checkFxUserThread(QuantumToolkit.java:423)
at javafx.scene.Parent$2.onProposedChange(Parent.java:367)
at com.sun.javafx.collections.VetoableListDecorator.remove(VetoableListDecorator.java:329)
at window.GamePane.destroyCardPane(GamePane.java:716)
at window.GamePane.timeIsUp(GamePane.java:810)
at window.GamePane$1.run(GamePane.java:74)
at java.lang.Thread.run(Unknown Source)
所以有我的主题:
public Thread getCounter() {
if(counter == null) {
counter = new Thread(new Runnable() {
@Override
public void run() {
for (int i = 5; i >= 0; i--) {
try {
System.out.println(i);
if(i == 0) {
System.out.println("Time is up");
timeIsUp();
System.out.println("test");
break;
}
Thread.sleep(1000);
} catch (InterruptedException e) {
Thread.currentThread().interrupt();
break;
}
}
}
});
counter.setDaemon(true);
}
return counter;
}
从5到0的数字和“时间到了”出现,但后来我得到了错误。
当计数器达到0时,这是我试图调用的函数:
public void timeIsUp() {
getCounter().interrupt(); // stopping the thread? I tried without this and it's still the same error
if (turn+1 < nbPlayers) {
turn++;
} else {
turn = 0;
}
getBtnDes().setDisable(false); // Disable a button
destroyCardPane(); // remove an AnchorPane from this.children()
}
如果你们需要其他东西,课程或功能来帮助我,请在评论中告诉我,我会尽快添加。
由于
答案 0 :(得分:0)
只有JavaFX线程可以对JavaFX场景图执行操作。如果您需要在另一个线程中更改JavaFX中的内容,则需要使用Platform.runLater(Runnable)
。
答案 1 :(得分:0)
所有UI操作必须在FX应用程序线程上执行。您可以从后台线程中调用Platform.runLater(...)
并将其传递给Runnable
,这将在FX应用程序线程上执行。
这里真的没有必要打断现有的线程。如果您重新排序代码以便先睡觉,然后检查,那么线程将会即将退出:
public Thread getCounter() {
if(counter == null) {
counter = new Thread(new Runnable() {
@Override
public void run() {
for (int i = 5; i >= 0; i--) {
try {
Thread.sleep(1000);
System.out.println(i);
if(i == 0) {
System.out.println("Time is up");
Platform.runLater(this::timeIsUp);
System.out.println("test");
break;
}
} catch (InterruptedException e) {
Thread.currentThread().interrupt();
break;
}
}
}
});
counter.setDaemon(true);
}
return counter;
}
现在您可以从timeIsUp()
方法中删除中断调用。
public void timeIsUp() {
if (turn+1 < nbPlayers) {
turn++;
} else {
turn = 0;
}
getBtnDes().setDisable(false); // Disable a button
destroyCardPane(); // remove an AnchorPane from this.children()
}
请注意,您可以使用Timeline
:
Timeline timeline = new Timeline();
for (int i = 5 ; i >= 0 ; i=--) {
final int count = i ;
KeyFrame frame = new KeyFrame(Duration.seconds(5-i), e -> System.out.println(count));
timeline.getKeyFrames().add(frame);
}
timeline.setOnFinished(e -> {
System.out.println("Time is up");
timeIsUp();
});
timeline.play();
这里没有阻塞(因此不需要线程),并且关键帧的事件处理程序和onFinished
处理程序在FX应用程序线程上执行,因此更新UI是安全的那里。