一个简单的问题,但我找不到答案。我有一个要实例化多次的FXML文件。每个副本都需要它自己的句柄,因此我可以在其中更改数据。假设地,这就像在刚创建的类上使用“ new”关键字一样。
到目前为止,我已经能够创建fxml文件的多个副本,但是只有一个控制器,因此调用方法意味着所有副本都会发生更改。
是否必须为同一fxml文件的每个副本创建一个新的控制器?
预先感谢
编辑
我正在研究此想法的代码在这里:
JavaFX : Pass parameters while instantiating controller class
以防某些背景有所帮助:
我有一个场景,我想保存我制作的FXML文件的多个实例。在场景中设置一个FXML文件很容易,但是创建多个(10-20)意味着我将有10至20个控制器和10至20个FXML文件实例。有没有更清洁的方法可以做到这一点?
我希望做这样的事情:
public class SampleController implements Initializable {
@FXML
Label firstName;
@FXML
Label lastName;
public SampleController(Label firstname, Label lastname) {
this.firstName = firstname;
this.lastName = lastname;
}
@Override
public void initialize(URL location, ResourceBundle resources) {
}
}
然后致电:
SampleController Row1 = new SampleController("my", "name");
,并让此命令将附加的FXML文件以及我传递给它的数据加载到场景中。但这是行不通的,它会崩溃并出现异常。
答案 0 :(得分:3)
演示构造fxml
文件的两个实例,并获取对其控制器的引用:
Main.fxml
<?xml version="1.0" encoding="UTF-8"?>
<?import javafx.geometry.Insets?>
<?import javafx.scene.control.Label?>
<?import javafx.scene.layout.Pane?>
<Pane maxHeight="-Infinity" maxWidth="-Infinity" minHeight="-Infinity" minWidth="-Infinity" xmlns="http://javafx.com/javafx/10.0.1" xmlns:fx="http://javafx.com/fxml/1" fx:controller="Controller">
<children>
<Label fx:id="label" />
</children>
<opaqueInsets>
<Insets top="10.0" />
</opaqueInsets>
</Pane>
Controller.java 其控制器
import javafx.fxml.FXML;
import javafx.scene.control.Label;
public class Controller{
@FXML
public Label label;
public void setText(String text) {
label.setText(text);
}
}
使用两个Main.fxml
实例:
@Override
public void start(final Stage primaryStage) throws Exception{
FXMLLoader loader = new FXMLLoader();
Pane topPane = loader.load(getClass().getResource("xml/Main.fxml").openStream());
Controller controllerOfTop = loader.getController();
controllerOfTop.setText("Top");
loader = new FXMLLoader();
Pane bottomPane = loader.load(getClass().getResource("xml/Main.fxml").openStream());
Controller controllerOfBottom = loader.getController();
controllerOfBottom.setText("Bottom");
Scene scene = new Scene(new VBox(topPane, bottomPane));
primaryStage.setScene(scene);
primaryStage.show();
}