我想一个接一个地显示不同的GIF。 我的想法是使用时间轴动态更改显示包含在Image中的gif。 但是我收到了一个错误:
从lambda表达式引用的局部变量必须是最终的或有效的final
有什么解决方案吗? 我的代码:
public class Task10 extends Application {
@Override
public void start(Stage primaryStage) {
HBox hbox5 = new HBox();
VBox VBoxAll = new VBox();
Image gifs[] = new Image[3];
gifs[0] = new Image(this.getClass().getResource("/img/L1.gif").toExternalForm());
gifs[1] = new Image(this.getClass().getResource("/img/L2.gif").toExternalForm());
gifs[2] = new Image(this.getClass().getResource("/img/L1.gif").toExternalForm());
ImageView currentGif = new ImageView();
Button localLoadButton = new Button("Start!");
localLoadButton.setOnAction(e -> {
show(currentGif, gifs);
});
hbox5.getChildren().addAll(currentGif, localLoadButton);
VBoxAll.getChildren().addAll(hbox5);
VBoxAll.setSpacing(15);
Pane pane = new Pane();
pane.getChildren().add(VBoxAll);
Scene scene = new Scene(pane, 500, 350);
primaryStage.setScene(scene);
primaryStage.show();
}
public void show(ImageView currentGif, Image[] gifs) {
for (int i = 0; i<gifs.length; i++) {
Timeline timeline = new Timeline(
new KeyFrame(Duration.ZERO, e -> { currentGif.setImage(gifs[i]); }),
new KeyFrame(Duration.seconds(2), e -> { currentGif.setImage(null); })
);
timeline.play();
}
}
}
在Java中,在lambda或匿名类之外声明但在所述lambda或匿名类中使用的局部变量必须是“有效的最终”。这意味着只是局部变量永远不会被修改(即重新分配)。如果局部变量可以在声明中添加final
关键字而不会导致编译错误,则该变量实际上是最终的。
在您的代码中,您有以下内容:
public void show(ImageView currentGif, Image[] gifs) {
for (int i = 0; i<gifs.length; i++) {
Timeline timeline = new Timeline(
new KeyFrame(Duration.ZERO, e -> { currentGif.setImage(gifs[i]); }),
new KeyFrame(Duration.seconds(2), e -> { currentGif.setImage(null); })
);
timeline.play();
}
}
您正在引用lambda中的局部变量i
(第一个KeyFrame
)。问题是for
循环修改i
(例如i++
),这意味着变量不是有效的最终。一个可能的解决方法是在循环中声明另一个变量,为其赋值i
,然后在lambda中使用那个新的(不变的!)变量。但是,这不是唯一的问题。
你的代码为Timeline
数组中的每个元素创建一个单独的gifs
- 换句话说,每个循环一个。您还可以在每次迭代结束时在每个play
上调用Timeline
。这将导致多个Timeline
s同时播放。正如您可能想象的那样,这不会做您想要的。相反,你应该创建一个单独的Timeline
并且每次更改Image
都是它自己的KeyFrame
。类似于以下内容:
public void show(ImageView view, Image[] gifs, Duration displayDuration) {
Timeline timeline = new Timeline();
Duration totalDelay = Duration.ZERO;
for (Image gif : gifs) {
KeyFrame frame = new KeyFrame(totalDelay, e -> view.setImage(gif));
timeline.getFrames().add(frame);
totalDelay = totalDelay.add(displayDuration);
}
timeline.getFrames().add(new KeyFrame(totalDelay, e -> view.setImage(null));
timeline.play();
}
这将在Image
间隔将Image
更改为阵列中的下一个displayDuration
。
如果你想知道为什么gif
被允许在lambda中使用 - 尽管显然被修改 - 这是因为我使用了“增强的for循环”。增强for循环的变量与常规for
循环的处理方式不同,因为它在每次迭代时都被初始化。有关更多信息,请参阅Enhanced 'for' loop and lambda expressions。