我正在创建一个ListView,它能够双击每个项目,并具有一个弹出窗口,其中包含由FXML文件构成的输入。 FXML文件itemStep包含fx:controller =“ controller.ItemStep”

listViewVariable.setOnMouseClicked(new EventHandler<MouseEvent>() {
    @Override
    public void handle(MouseEvent mouseEvent) {

        if (mouseEvent.getButton().equals(MouseButton.PRIMARY)) {
            if (mouseEvent.getClickCount() == 2) {
                ItemStep item = listViewVariable.getSelectionModel()
                        .getSelectedItem();
                if (item != null) {
                    try {
                    FXMLLoader isLoader = new FXMLLoader(Main.class.getResource("/view/itemStep.fxml"));
                    AnchorPane pane = isLoader.load();
                    Scene scene = new Scene(pane);
                    Stage stage = new Stage();
                    stage.setScene(scene);
                    item.setUrl(item.urlField.getText());

                    stage.show();

                    stage.setOnCloseRequest(new EventHandler<WindowEvent>() {
                        public void handle(WindowEvent we) {
                            item.setUrl(item.urlField.getText());
                        }
                    });
                    } catch (IOException e) {
                        // TODO Auto-generated catch block
                        e.printStackTrace();
                    }
                }

            }
        }
    }
});


我仍然使用上述方法得到以下错误。我需要能够在此阶段内使用FXML文件。

Caused by: java.lang.InstantiationException: controller.ItemStep
    at java.lang.Class.newInstance(Unknown Source)
    at sun.reflect.misc.ReflectUtil.newInstance(Unknown Source)
    ... 44 more
Caused by: java.lang.NoSuchMethodException: controller.ItemStep.<init>()
    at java.lang.Class.getConstructor0(Unknown Source)
    ... 46 more

最佳答案

您的ItemStep类没有no argument constructor


每次双击后是否会重新创建ItemStep的新实例?


是的,这就是您编写代码所要做的。

如果您不希望这样做,则应在事件处理程序外部调用FXMLLoader上的load方法,将对已加载窗格的引用存储在最终变量中,然后在事件处理程序内部使用该引用,而不是加载一个每次调用事件处理程序时的新窗格时间。


当我在事件处理程序之外调用加载FXMLLoader和最终的AnchorPane时,我得到:AnchorPane @ ed39805 [styleClass = root]已设置为另一个场景的根


您不能将一个节点添加到一个以上的场景中,也不能将一个节点添加到一个以上的场景中,您要么将其从原始场景中删除,要么仅将单个节点的原始场景重新使用。我不知道您想要什么样的行为,但是可能您只想弹出一个窗口并将其设置为modal,而不是每次有人单击某个对象时都创建一个新窗口。

基本上,您会执行以下操作(尽管这只是我从未编译或执行过的大纲,因为我不完全了解您的完整要求,也不了解您的ItemStep和urlField到底是什么):

final FXMLLoader isLoader = new FXMLLoader(Main.class.getResource("/view/itemStep.fxml"));
final AnchorPane pane = isLoader.load();
final Scene scene = new Scene(pane);
final Stage stage = new Stage();
stage.initModality(Modality.APPLICATION_MODAL);
stage.setScene(scene);

listViewVariable.setOnMouseClicked(event -> {
    if (mouseEvent.getButton().equals(MouseButton.PRIMARY) && (mouseEvent.getClickCount() == 2)) {
        ItemStep item = listViewVariable.getSelectionModel().getSelectedItem();
        if (item != null) {
            stage.showAndWait();
            item.setUrl(item.urlField.getText());
        }
    }
});

07-24 13:08