我随机时间以高频率接收数据对象,需要使用这些来更新JavaFX GUI。但是,我不想用大量的runnable填充javafx事件队列(我使用Platform.RunLater)。
我一直在考虑如何最好地实施限制算法。
有关如何以简短有效的方式为JavaFX Platform.RunLater GUI更新设计限制算法的任何建议吗?
答案 0 :(得分:17)
这是Task
类中用于实现updateMessage(...)
方法和其他类似方法的习语。它提供了一个很好的,强大的解决方案,以避免泛滥FX应用程序线程:
import java.util.concurrent.atomic.AtomicLong;
import javafx.application.Application;
import javafx.application.Platform;
import javafx.geometry.Insets;
import javafx.geometry.Pos;
import javafx.scene.Scene;
import javafx.scene.control.Label;
import javafx.scene.layout.VBox;
import javafx.stage.Stage;
public class ThrottlingCounter extends Application {
@Override
public void start(Stage primaryStage) {
final AtomicLong counter = new AtomicLong(-1);
final Label label = new Label();
final Thread countThread = new Thread(new Runnable() {
@Override
public void run() {
long count = 0 ;
while (true) {
count++ ;
if (counter.getAndSet(count) == -1) {
updateUI(counter, label);
}
}
}
});
countThread.setDaemon(true);
countThread.start();
VBox root = new VBox();
root.getChildren().add(label);
root.setPadding(new Insets(5));
root.setAlignment(Pos.CENTER);
Scene scene = new Scene(root, 150, 100);
primaryStage.setScene(scene);
primaryStage.show();
}
private void updateUI(final AtomicLong counter,
final Label label) {
Platform.runLater(new Runnable() {
@Override
public void run() {
final String msg = String.format("Count: %,d", counter.getAndSet(-1));
label.setText(msg);
}
});
}
public static void main(String[] args) {
launch(args);
}
}
AtomicLong
包含用于更新Label的当前值。计数会不断递增并更新AtomicLong
,但只有当{1}}的当前值为-1时,才会调度Platform.runLater(...)
。 Platform.runLater(...)
使用Label
中的当前值更新AtomicLong
并将AtomicLong
翻转回-1,表示它已准备好进行新的更新。
此处的效果是在FX应用程序线程准备好处理它们时安排对Platform.runLater(...)
的新调用。没有硬编码的时间间隔可能需要调整。