我打算再试一次... ... 我是Scenebuilder的新手,我想为我的项目制作一个图片库!我已经添加了我想要的东西,那就是一个带有从FileChooser选择的图片的ImageView。我已经添加了我想要的东西,那是一个ImageView与从FileChooser中选择的图像......。但现在我想得到一个建议,如何保存这个,并创建一个新的每次addPhoto按钮被按下,而不是覆盖一个,我已经在ImageView中。
@FXML
public void initialize(ActionEvent e) throws Exception{
addPhotos.setOnAction(event -> {
FileChooser chooser = new FileChooser();
File file = chooser.showOpenDialog(null);
pic = new Image(file.toURI().toString());
if(pic != null) {
ImageView imgView = new ImageView(pic);
}
imgView.setImage(pic);
});
FXML代码:
<BorderPane prefHeight="737.0" prefWidth="934.0" xmlns="http://javafx.com/javafx/11.0.1" xmlns:fx="http://javafx.com/fxml/1" fx:controller="legioDesk.GalleryController">
<top>
<Button fx:id="addPhotos" mnemonicParsing="false" onAction="#initialize" text="addPhotos" BorderPane.alignment="CENTER" />
</top>
<center>
<TilePane fx:id="tp" prefHeight="200.0" prefWidth="200.0" BorderPane.alignment="CENTER">
<children>
<ImageView fx:id="imgView" fitHeight="306.0" fitWidth="378.0" pickOnBounds="true" preserveRatio="true" />
</children>
</TilePane>
</center>
</BorderPane>
你创建了一个新的 ImageView
的事件处理程序中,但你从未对它做过任何事情,所以它就被丢弃了。
请注意,这两个 ImageView
的变量有相同的名称:你创建(和丢弃)的变量的作用域为 if
块,所以你在块外引用的是你在FXML文件中定义的那个。
所以您的代码会
@FXML
public void initialize(ActionEvent e) throws Exception{
addPhotos.setOnAction(event -> {
FileChooser chooser = new FileChooser();
File file = chooser.showOpenDialog(null);
pic = new Image(file.toURI().toString());
if(pic != null) {
// Create a new image view, containing the selected image
// (but do nothing with it)
ImageView imgView = new ImageView(pic);
}
// now update the existing ImageView (from the FXML file) with
// the chosen image:
imgView.setImage(pic);
});
}
你要做的(我猜测,因为你没有很清楚地解释所需的行为)是将新的图像视图添加到瓦片窗格中。
@FXML
public void initialize(ActionEvent e) throws Exception{
addPhotos.setOnAction(event -> {
FileChooser chooser = new FileChooser();
File file = chooser.showOpenDialog(null);
pic = new Image(file.toURI().toString());
if(pic != null) {
ImageView imgView = new ImageView(pic);
imgView.setFitWidth(306);
imgView.setFitHeight(378);
imgView.setPreserveRatio(true);
tp.getChildren().add(imgView);
}
});
}
当然,你不需要FXML文件中的图像视图。
<BorderPane prefHeight="737.0" prefWidth="934.0" xmlns="http://javafx.com/javafx/11.0.1" xmlns:fx="http://javafx.com/fxml/1" fx:controller="legioDesk.GalleryController">
<top>
<Button fx:id="addPhotos" mnemonicParsing="false" onAction="#initialize" text="addPhotos" BorderPane.alignment="CENTER" />
</top>
<center>
<TilePane fx:id="tp" prefHeight="200.0" prefWidth="200.0" BorderPane.alignment="CENTER">
</TilePane>
</center>
</BorderPane>
好吧,既然你说单张图片版本可以用,现在你想添加一张新图片。抓取你的TilePane,获取子代,然后添加你的图像视图。
pic = new Image(file.toURI().toString());
if(pic != null) {
ImageView nextView = new ImageView(pic);
tp.getChildren().add(nextView);
}
//delete this it is changing the original one.
//imgView.setImage(pic);
这可能会成功,但我无法测试,因为你没有提供足够的代码。