我正在转换纯JavaFx应用程序,其中下面的代码在将所有内容放在一个类中时工作正常,到FXML,其中Stage声明和按钮处理程序在不同的类中。在Controller中,我试图实现一种方法,允许用户选择一个目录并将其存储在一个变量中供以后使用:
private File sourceFile;
DirectoryChooser sourceDirectoryChooser;
@FXML
private void handleSourceBrowse() {
sourceDirectoryChooser.setTitle("Choose the source folder");
sourceFile = sourceDirectoryChooser.showDialog(theStage);
}
但是," theStage"这个方法所需的阶段,只在FolderSyncer4.java中存在(如果这是正确的术语):
public class FolderSyncer4 extends Application {
final String FOLDER_SYNCER = "FolderSyncer";
Stage theStage;
@Override
public void start(Stage primaryStage) throws Exception {
theStage = primaryStage;
//TODO do the FXML stuff, hope this works
Parent root = FXMLLoader.load(getClass().getResource("FolderSyncerMainWindow.fxml"));
theStage.setScene(new Scene(root, 685, 550));
theStage.setTitle(FOLDER_SYNCER);
theStage.show();
}
}
如何解决这个问题?我需要以某种方式再次实施该方法,但突然间我无法通过舞台作为论据。
答案 0 :(得分:18)
在您的情况下,最简单的方法是从处理程序的ActionEvent
参数中获取场景:
@FXML
private void handleSourceBrowse(ActionEvent ae) {
Node source = (Node) ae.getSource();
Window theStage = source.getScene().getWindow();
sourceDirectoryChooser.showDialog(theStage);
}
有关更多信息,请参阅JavaFX: How to get stage from controller during initialization?。我不赞成最高级别的答案,因为它在加载.fxml
文件后向控制器添加了编译时依赖性(在所有问题都被javafx-2
标记之后,所以不确定如果上面的方法已经在那里工作,问题的上下文看起来有点不同。)
另见How do I open the JavaFX FileChooser from a controller class?
答案 1 :(得分:4)
另一种方法是为舞台定义静态getter并访问它
主类
public class Main extends Application {
private static Stage primaryStage; // **Declare static Stage**
private void setPrimaryStage(Stage stage) {
Main.primaryStage = stage;
}
static public Stage getPrimaryStage() {
return Main.primaryStage;
}
@Override
public void start(Stage primaryStage) throws Exception{
setPrimaryStage(primaryStage); // **Set the Stage**
Parent root = FXMLLoader.load(getClass().getResource("sample.fxml"));
primaryStage.setTitle("Hello World");
primaryStage.setScene(new Scene(root, 300, 275));
primaryStage.show();
}
}
现在您可以通过调用
来访问此阶段Main.getPrimaryStage()
在控制器类
中public class Controller {
public void onMouseClickAction(ActionEvent e) {
Stage s = Main.getPrimaryStage();
s.close();
}
}