JavaFX:如何绑定两个值?

时间:2013-04-01 15:37:33

标签: multithreading binding javafx-2 bind task

我是这里的新人:)

我有一个小问题,涉及JavaFX中的绑定。我创建了一个作为时钟工作的Task,并返回必须在特殊标签中设置的值( label_Time )。此标签显示了测验中玩家回答的剩余时间。

问题是如何使用计时器任务自动更改标签中的值?我尝试以这种方式将来自计时器任务()的值链接到label_Time值...

label_Time.textProperty().bind(timer.getSeconds());

......但它不起作用。做这件事有什么办法吗?

提前感谢您的回答!:)


在Controller类中初始化方法:

public void initialize(URL url, ResourceBundle rb) {

        Timer2 timer = new Timer2();
        label_Time.textProperty().bind(timer.getSeconds());
        new Thread(timer).start();  
}

任务类“Timer2”:

public class Timer2 extends Task{

    private static final int SLEEP_TIME = 1000;
    private static int sec;
    private StringProperty seconds;


    public Timer2(){
        Timer2.sec = 180;
        this.seconds = new SimpleStringProperty("180");
    }

    @Override protected StringProperty call() throws Exception {


        int iterations;

        for (iterations = 0; iterations < 1000; iterations++) {
            if (isCancelled()) {
                updateMessage("Cancelled");
                break;
            }

            System.out.println("TIK! " + sec);
            seconds.setValue(String.valueOf(sec));
            System.out.println("TAK! " + seconds.getValue());

            // From the counter we subtract one second
            sec--;

            //Block the thread for a short time, but be sure
            //to check the InterruptedException for cancellation
            try {
                Thread.sleep(10);
            } catch (InterruptedException interrupted) {
                if (isCancelled()) {
                    updateMessage("Cancelled");
                    break;
                }
            }
        }
        return seconds;
    }

    public StringProperty getSeconds(){
        return this.seconds;
    }

}

2 个答案:

答案 0 :(得分:11)

为什么您的应用无效

发生的事情是您在自己的线程上运行任务,在任务中设置seconds属性,然后绑定会在仍然在任务线程上时触发标签文本的立即更新。

这违反了JavaFX线程处理的rule

  

应用程序必须将节点附加到场景,并在JavaFX应用程序线程上修改已附加到场景的节点。

这就是您最初发布的程序不起作用的原因。


如何修复

要修改原始程序以使其正常工作,请在Platform.runLater构造内的任务中修改属性:

  Platform.runLater(new Runnable() {
    @Override public void run() {
      System.out.println("TIK! " + sec);
      seconds.setValue(String.valueOf(sec));
      System.out.println("TAK! " + seconds.getValue());
    }
  });

这确保了当您写出属性时,您已经在JavaFX应用程序线程上,这样当后续更改触发绑定标签文本时,该更改也将发生在JavaFX应用程序线程上。


关于属性命名约定

正如Matthew指出的那样,程序确实不符合JavaFX bean约定。符合这些约定既有助于使程序更容易理解,也有助于使用反映属性方法名称的PropertyValueFactory之类的东西,以允许表和列表单元格自动更新它们的值,因为底层属性是更新。但是,对于您的示例,不遵循JavaFX bean约定并不能解释该程序无法正常工作的原因。


替代解决方案

以下是使用JavaFX animation framework而不是concurrency framework的倒计时绑定问题的替代解决方案。我更喜欢这个,因为它保留了JavaFX应用程序线程中的所有内容,您不必担心难以理解和调试的并发问题。

countdown

import javafx.animation.*;
import javafx.application.Application;
import javafx.beans.*;
import javafx.beans.binding.Bindings;
import javafx.beans.property.*;
import javafx.event.*;
import javafx.geometry.Pos;
import javafx.scene.*;
import javafx.scene.control.*;
import javafx.scene.layout.VBox;
import javafx.stage.Stage;
import javafx.util.Duration;

public class CountdownTimer extends Application {
  @Override public void start(final Stage stage) throws Exception {
    final CountDown      countdown       = new CountDown(10);
    final CountDownLabel countdownLabel  = new CountDownLabel(countdown);

    final Button         countdownButton = new Button("  Start  ");
    countdownButton.setOnAction(new EventHandler<ActionEvent>() {
      @Override public void handle(ActionEvent t) {
        countdownButton.setText("Restart");
        countdown.start();
      }
    });

    VBox layout = new VBox(10);
    layout.getChildren().addAll(countdownLabel, countdownButton);
    layout.setAlignment(Pos.BASELINE_RIGHT);
    layout.setStyle("-fx-background-color: cornsilk; -fx-padding: 20; -fx-font-size: 20;");

    stage.setScene(new Scene(layout));
    stage.show();
  }

  public static void main(String[] args) throws Exception {
    launch(args);
  }
}

class CountDownLabel extends Label {
  public CountDownLabel(final CountDown countdown) {
    textProperty().bind(Bindings.format("%3d", countdown.timeLeftProperty()));
  }
}

class CountDown {
  private final ReadOnlyIntegerWrapper timeLeft;
  private final ReadOnlyDoubleWrapper  timeLeftDouble;
  private final Timeline               timeline;

  public ReadOnlyIntegerProperty timeLeftProperty() {
    return timeLeft.getReadOnlyProperty();
  }

  public CountDown(final int time) {
    timeLeft       = new ReadOnlyIntegerWrapper(time);
    timeLeftDouble = new ReadOnlyDoubleWrapper(time);

    timeline = new Timeline(
      new KeyFrame(
        Duration.ZERO,          
        new KeyValue(timeLeftDouble, time)
      ),
      new KeyFrame(
        Duration.seconds(time), 
        new KeyValue(timeLeftDouble, 0)
      )
    );

    timeLeftDouble.addListener(new InvalidationListener() {
      @Override public void invalidated(Observable o) {
        timeLeft.set((int) Math.ceil(timeLeftDouble.get()));
      }
    });
  }

  public void start() {
    timeline.playFromStart();
  }
}

更新有关任务执行策略的其他问题

  

是否可以运行多个包含Platform.runLater(new Runnable())方法的任务?

是的,您可以使用多个任务。每个任务可以是相同类型或不同类型。

您可以创建单个线程并按顺序在线程上运行每个任务,也可以创建多个线程并并行运行任务。

为了管理多个任务,您可以创建一个监督Task。有时使用Service来管理多个任务以及Executors框架来管理多个线程是合适的。

有一个TaskServiceExecutors协调方法的示例:Creating multiple parallel tasks by a single service In each task

在每项任务中,您都不能进行runlater来电,runlater次来电或多次runlater来电。

因此可以提供很大的灵活性。

  

或许我应该创建一个通用任务,只从其他任务获取数据并更新UI?

是的,如果复杂性需要,你可以使用这样的协调任务方法。在Render 300 charts off screen and save them to files中有一个这种方法的例子。

答案 1 :(得分:-1)

您的“Timer2”类不符合JavaFX bean约定:

public String getSeconds();
public void setSeconds(String seconds);
public StringProperty secondsProperty();