JavaFX FXML控制器-构造函数与初始化方法


84

我的Application课看起来像这样:

public class Test extends Application {

    private static Logger logger = LogManager.getRootLogger();

    @Override
    public void start(Stage primaryStage) throws Exception {

        String resourcePath = "/resources/fxml/MainView.fxml";
        URL location = getClass().getResource(resourcePath);
        FXMLLoader fxmlLoader = new FXMLLoader(location);

        Scene scene = new Scene(fxmlLoader.load(), 500, 500);

        primaryStage.setScene(scene);
        primaryStage.show();
    }

    public static void main(String[] args) {
        launch(args);
    }
}

FXMLLoader创建相应的控制器(在所给出的实例FXML经由文件fx:controller通过调用第一默认构造,然后)initialize方法:

public class MainViewController {

    public MainViewController() {
        System.out.println("first");
    }

    @FXML
    public void initialize() {
        System.out.println("second");
    }
}

输出为:

first
second

那么,为什么存在该initialize方法呢?使用构造函数或initialize方法初始化控制器所需的东西有什么区别?

感谢您的建议!

Answers:


124

简而言之:首先调用构造函数,然后@FXML填充所有带注释的字段,然后再initialize()调用。因此,构造函数无权访问@FXML引用.fxml文件中定义的组件的字段,而initialize()有权访问它们。

引用FXML简介

控制器可以定义一个initialize()方法,当其关联文档的内容已完全加载时,将在实现控制器上调用一次。处理内容。


2
我不明白 他的做法是结束了FXMLLoader,对不对?因此,等待initialize()-方法不会带来任何好处。加载FXML之后,以下代码即可访问@FXML变量。当然,他是在start方法中执行的,而不是在构造函数中执行的,但会initialize()为他带来任何好处吗?
codepleb 16/09/21

90

注入initialize所有带@FXML注释的成员后,将调用该方法。假设您有一个要用数据填充的表视图:

class MyController { 
    @FXML
    TableView<MyModel> tableView; 

    public MyController() {
        tableView.getItems().addAll(getDataFromSource()); // results in NullPointerException, as tableView is null at this point. 
    }

    @FXML
    public void initialize() {
        tableView.getItems().addAll(getDataFromSource()); // Perfectly Ok here, as FXMLLoader already populated all @FXML annotated members. 
    }
}

11

除上述答案外,可能应该注意,还有一种实现初始化的旧方法。fxml库中有一个名为Initializable的接口。

import javafx.fxml.Initializable;

class MyController implements Initializable {
    @FXML private TableView<MyModel> tableView;

    @Override
    public void initialize(URL location, ResourceBundle resources) {
        tableView.getItems().addAll(getDataFromSource());
    }
}

参数:

location - The location used to resolve relative paths for the root object, or null if the location is not known.
resources - The resources used to localize the root object, or null if the root object was not localized. 

以及文档说明为何使用简单方法@FXML public void initialize()有效:

NOTE通过自动将位置和资源属性注入控制器,该接口已被取代。FXMLLoader现在将自动调用控制器定义的任何带有适当注释的no-arg initialize()方法。建议尽可能使用注射方法。

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.