我一直在对此进行一些研究,但至少可以说我仍然很困惑。
谁能给我一个具体的例子来说明何时使用Task
和何时使用Platform.runLater(Runnable);
?究竟有什么区别?何时使用其中任何一个有黄金法则吗?
如果我错了,也请纠正我,但这两个“对象”不是在 GUI 的主线程内创建另一个线程(用于更新 GUI)的一种方式吗?
我一直在对此进行一些研究,但至少可以说我仍然很困惑。
谁能给我一个具体的例子来说明何时使用Task
和何时使用Platform.runLater(Runnable);
?究竟有什么区别?何时使用其中任何一个有黄金法则吗?
如果我错了,也请纠正我,但这两个“对象”不是在 GUI 的主线程内创建另一个线程(用于更新 GUI)的一种方式吗?
用于Platform.runLater(...)
快速简单的操作和Task
复杂的大型操作。
示例:为什么我们不能Platform.runLater(...)
用于长计算(取自以下参考)。
问题:后台线程仅从 0 计数到 100 万,并在 UI 中更新进度条。
代码使用Platform.runLater(...)
:
final ProgressBar bar = new ProgressBar();
new Thread(new Runnable() {
@Override public void run() {
for (int i = 1; i <= 1000000; i++) {
final int counter = i;
Platform.runLater(new Runnable() {
@Override public void run() {
bar.setProgress(counter / 1000000.0);
}
});
}
}).start();
这是一段可怕的代码,是对自然的犯罪(和一般的编程)。首先,只看这种 Runnables 的双重嵌套,你就会失去脑细胞。其次,它会用很少的 Runnables 淹没事件队列——实际上有一百万个。显然,我们需要一些 API 来更轻松地编写后台工作人员,然后再与 UI 进行通信。
使用任务的代码:
Task task = new Task<Void>() {
@Override public Void call() {
static final int max = 1000000;
for (int i = 1; i <= max; i++) {
updateProgress(i, max);
}
return null;
}
};
ProgressBar bar = new ProgressBar();
bar.progressProperty().bind(task.progressProperty());
new Thread(task).start();
它没有以前代码中表现出的任何缺陷
现在可以更改为 lambda 版本
@Override
public void actionPerformed(ActionEvent e) {
Platform.runLater(() -> {
try {
//an event with a button maybe
System.out.println("button is clicked");
} catch (IOException | COSVisitorException ex) {
Exceptions.printStackTrace(ex);
}
});
}
使用显式 Platform.runLater() 的一个原因可能是您将 ui 中的属性绑定到服务(结果)属性。因此,如果您更新绑定的服务属性,则必须通过 runLater() 执行此操作:
在 UI 线程中也称为 JavaFX 应用程序线程:
...
listView.itemsProperty().bind(myListService.resultProperty());
...
在服务实现中(后台工作者):
...
Platform.runLater(() -> result.add("Element " + finalI));
...