Platform.runLater问题 - 延迟执行

时间:2016-01-25 05:51:37

标签: java javafx javafx-2 javafx-8

Button button = new Button("Show Text");
button.setOnAction(new EventHandler<ActionEvent>(){
    @Override
    public void handle(ActionEvent event) {
        Platform.runLater(new Runnable(){
            @Override
            public void run() {
                field.setText("START");
            }
       });

        try {
            Thread.sleep(5000);
        } catch (InterruptedException ex) {
            Logger.getLogger(Main.class.getName()).log(Level.SEVERE, null, ex);
        }

        Platform.runLater(new Runnable(){
            @Override
            public void run() {
                field.setText("END");
            }
        });
        }
});

运行上面的代码后,field.setText("START")未执行,我的意思是textfield没有将其文本设置为“START”,为什么?如何解决此问题?

1 个答案:

答案 0 :(得分:5)

请记住,在JavaFX线程上调用了按钮onAction,因此您实际上会停止UI线程5秒钟。当UI线程在这五秒结束时被解冻时,两个更改都会连续应用,因此您最终只会看到第二个。

您可以通过在新线程中运行上面的所有代码来解决此问题:

    Button button = new Button();
    button.setOnAction(event -> {
        Thread t = new Thread(() -> {
            Platform.runLater(() -> field.setText("START"));
            try {
                Thread.sleep(5000);
            } catch (InterruptedException ex) {
                Logger.getLogger(Main.class.getName()).log(Level.SEVERE, null, ex);
            }
            Platform.runLater(() -> field.setText("END"));
        });

        t.start();
    });