我在JavaFX中使用时间轴对Label进行倒计时:

timeline.setCycleCount(6);
timeline.play();

我想在时间轴完成后返回一个值:
return true;

但是,似乎该值会立即返回,并且时间轴平行运行。如何等待时间轴完成其倒计时,然后返回值而不阻塞时间轴?

编辑:

为了更清楚一点,我已经尝试过:
new Thread(() -> {
    timeline.play();
}).start();

while(!finished){ // finished is set to true, when the countdown is <=0

}
return true;



编辑2:

这是一个最小,完整和可验证的示例:
import javafx.animation.KeyFrame;
import javafx.animation.Timeline;
import javafx.application.Application;
import javafx.scene.Scene;
import javafx.scene.control.Label;
import javafx.scene.layout.StackPane;
import javafx.stage.Stage;
import javafx.util.Duration;


public class CountdownTest extends Application {

    private Label CountdownLabel;
    private int Ctime;

    @Override
    public void start(Stage primaryStage) {

        CountdownLabel=new Label(Ctime+"");

        StackPane root = new StackPane();
        root.getChildren().add(CountdownLabel);

        Scene scene = new Scene(root, 300, 250);

        primaryStage.setTitle("Countdown Test");
        primaryStage.setScene(scene);
        primaryStage.show();

        Ctime=5;

        if(myCountdown()){
            CountdownLabel.setText("COUNTDOWN FINISHED");
        }
    }

    /**
     * @param args the command line arguments
     */
    public static void main(String[] args) {
        launch(args);
    }

    public boolean myCountdown(){
         final Timeline timeline = new Timeline(
                            new KeyFrame(
                                    Duration.millis(1000),
                                    event -> {
                                    CountdownLabel.setText(Ctime+"");
                                    Ctime--;

                                    }

                            )
                    );
         timeline.setCycleCount(6);
         timeline.play();
    return true;
    }

}

您会看到它首先显示“COUNTDOWN FINISHED”,然后倒数到0,而不是从倒数开始倒数到“COUNTDOWN FINISHED”。

最佳答案

由于 Timeline 继承自Animation,因此您可以使用 setOnFinished 定义要在时间轴末尾执行的操作。

timeline.setCycleCount(6);
timeline.play();
timeline.setOnFinished(event -> countdownLabel.setText("COUNTDOWN FINISHED"));

关于java - JavaFX时间轴完成后返回一个值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/52037435/

10-10 12:51