我想随时与FXML控制器类进行通信,以便从主应用程序或其他阶段更新屏幕上的信息。
这可能吗?我还没有找到任何办法。
静态功能可能是一种方式,但他们无法访问表单的控件。
有什么想法吗?
答案 0 :(得分:94)
您可以从FXMLLoader
FXMLLoader fxmlLoader = new FXMLLoader();
Pane p = fxmlLoader.load(getClass().getResource("foo.fxml").openStream());
FooController fooController = (FooController) fxmlLoader.getController();
将它存储在主舞台中并提供getFooController()getter方法 从其他类或阶段,每当您需要刷新加载的“foo.fxml”页面时,从其控制器询问它:
getFooController().updatePage(strData);
updatePage()可以是:
// ...
@FXML private Label lblData;
// ...
public void updatePage(String data){
lblData.setText(data);
}
// ...
在FooController类中的
这样,其他页面用户就不会对页面的内部结构感到烦恼,例如Label lblData
的内容和位置。
另请查看https://stackoverflow.com/a/10718683/682495。在JavaFX 2.2中,FXMLLoader
得到了改进。
答案 1 :(得分:16)
只是为了帮助澄清已接受的答案,并为其他刚接触JavaFX的人节省一些时间:
对于JavaFX FXML应用程序,NetBeans将在主类中自动生成start方法,如下所示:
@Override
public void start(Stage stage) throws Exception {
Parent root = FXMLLoader.load(getClass().getResource("FXMLDocument.fxml"));
Scene scene = new Scene(root);
stage.setScene(scene);
stage.show();
}
现在,我们需要做的就是访问控制器类是将FXMLLoader load()
方法从静态实现更改为实例化实现,然后我们可以使用实例的方法来获取控制器,像这样:
//Static global variable for the controller (where MyController is the name of your controller class
static MyController myControllerHandle;
@Override
public void start(Stage stage) throws Exception {
//Set up instance instead of using static load() method
FXMLLoader loader = new FXMLLoader(getClass().getResource("FXMLDocument.fxml"));
Parent root = loader.load();
//Now we have access to getController() through the instance... don't forget the type cast
myControllerHandle = (MyController)loader.getController();
Scene scene = new Scene(root);
stage.setScene(scene);
stage.show();
}
答案 2 :(得分:7)
另一种解决方案是从控制器类中设置控制器,如此......
public class Controller implements javafx.fxml.Initializable {
@Override
public void initialize(URL location, ResourceBundle resources) {
// Implementing the Initializable interface means that this method
// will be called when the controller instance is created
App.setController(this);
}
}
这是我更喜欢使用的解决方案,因为代码有点混乱,无法创建一个功能齐全的FXMLLoader实例,可以正确处理本地资源等。
@Override
public void start(Stage stage) throws Exception {
Parent root = FXMLLoader.load(getClass().getResource("/sample.fxml"));
}
与
@Override
public void start(Stage stage) throws Exception {
URL location = getClass().getResource("/sample.fxml");
FXMLLoader loader = createFXMLLoader(location);
Parent root = loader.load(location.openStream());
}
public FXMLLoader createFXMLLoader(URL location) {
return new FXMLLoader(location, null, new JavaFXBuilderFactory(), null, Charset.forName(FXMLLoader.DEFAULT_CHARSET_NAME));
}
答案 3 :(得分:2)
在主屏幕上加载对象时,一种传递我找到并运行的数据的方法是使用查找,然后将数据设置在一个不可见的标签内,我可以稍后从控制器类中检索它。像这样:
Parent root = FXMLLoader.load(me.getClass().getResource("Form.fxml"));
Label lblData = (Label) root.lookup("#lblData");
if (lblData!=null) lblData.setText(strData);
这很有效,但必须有更好的方法。