我有一个项目,我需要在其中启动一个 GUI,但在另一个不是我主线程的线程中。
-> 第一个主线程启动...
-> 如果它决定显示 GUI,它会启动我的 GUI。
-> 所有其他计算仍应在主线程中进行。
我的意思是,在任何情况下,我都不能在主线程中启动 gui。我需要能够与我的控制器(示例中没有控制器(通信。但是当我做正常的事情时:..开始扩展应用程序{..方法,我无法再与控制器通信,因为线程被占用了。下面的代码应该允许我做我需要做的所有事情,所以我希望有一种方法可以让它工作。
问题,为什么我的代码不起作用是一个异常:
线程"Thread-0"中的异常 java.lang.IllegalState异常:工具包未初始化
在我的 GuiThread 类中调用 Platform.runLater(( 时。
提前感谢四人的帮助。
我的主要课程:
public class Start{
private void start() {
GuiThread thread = new GuiThread();
thread.start();
System.out.println("here continues the thread, while the GUI is shown");
}
public static void main(String[] args) {
Start main = new Start();
main.start();
}
}
我的自定义线程类,我的 GUI 应该在其中启动:
import javafx.application.Platform;
import javafx.fxml.FXMLLoader;
import javafx.scene.Group;
import javafx.scene.Node;
import javafx.scene.Scene;
import javafx.stage.Stage;
import java.io.IOException;
public class GuiThread extends Thread {
@Override
public void run() {
super.run();
// Here i have objects i need to have in the controller
// Then i have to start my GUI
// When calling Platform.runLater()... this error shows : Exception in thread "Thread-0" java.lang.IllegalStateException: Toolkit not initialized
Platform.runLater(() -> {
Group root;
try {
Stage stage = new Stage();
root = new Group();
Scene scene = new Scene(root);
FXMLLoader loader = new FXMLLoader(getClass().getResource("myGui.fxml"));
Node node = loader.load();
// Controller stuff
root.getChildren().add(node);
stage.setScene(scene);
stage.show();
} catch (IOException e) {
e.printStackTrace();
}
});
}
}
只是一个示例 FXML 文件:
<?xml version="1.0" encoding="UTF-8"?>
<?import javafx.scene.control.Label?>
<?import javafx.scene.layout.HBox?>
<?import javafx.scene.layout.StackPane?>
<HBox maxHeight="-Infinity" maxWidth="-Infinity" minHeight="-Infinity" minWidth="-Infinity" prefHeight="400.0" prefWidth="600.0" xmlns="http://javafx.com/javafx/10.0.1" xmlns:fx="http://javafx.com/fxml/1">
<children>
<StackPane prefHeight="150.0" prefWidth="200.0" HBox.hgrow="ALWAYS">
<children>
<Label text="left" />
</children>
</StackPane>
<StackPane prefHeight="150.0" prefWidth="200.0" HBox.hgrow="ALWAYS">
<children>
<Label text="right" />
</children>
</StackPane>
</children>
</HBox>
通常,您会从Application.init
或Application.start
方法启动任何其他线程,但在您的情况下,这似乎不是一种选择。
从 JavaFX9 开始,您可以在第一次需要访问 JavaFX 时使用Platform.startup
。执行传递给该方法的Runnable
后,您应该能够像以前一样使用Platfrom.runLater
。
使用此方法,您需要确保在所有其他逻辑完成后关闭,并且您确定不需要显示任何 GUI。
Platform.startup(() -> {
Group root;
try {
Stage stage = new Stage();
root = new Group();
Scene scene = new Scene(root);
FXMLLoader loader = new FXMLLoader(getClass().getResource("myGui.fxml"));
Node node = loader.load();
// Controller stuff
root.getChildren().add(node);
stage.setScene(scene);
stage.setOnHidden(evt -> Platform.exit()); // make sure to completely shut down JavaFX when closing the window
stage.show();
} catch (IOException e) {
e.printStackTrace();
}
});