所以我试图从循环中非常频繁地更新TextArea
// This code makes the UI freez and the textArea don't get updated
for(int i = 0; i < 10000; i++){
staticTextArea.appendText("dada \n");
}
我还尝试实现BlockingQueue来创建更新TextArea的任务,这解决了UI的冻结问题,但在经过数百次循环后TextArea停止更新,但与此同时System.out.print(“ dada \ n“);可以正常工作。
private static final BlockingQueue<Runnable> queue = new ArrayBlockingQueue<>(100);
private static Thread mainWorker;
private static void updateTextArea() {
for(int i = 0 ; i < 10000; i++) {
addJob(() -> {
staticTextArea.appendText("dada \n");
System.out.print("dada \n");
});
}
}
private static void addJob(Runnable t) {
if (mainWorker == null) {
mainWorker = new Thread(() -> {
while (true) {
try {
queue.take().run();
} catch (InterruptedException e) {
e.printStackTrace();
}
}
});
mainWorker.start();
}
queue.add(t);
}
答案 0 :(得分:2)
发生这种情况是因为您阻塞了UI线程。
JavaFX提供了Platform
类,该类公开了runLater
方法。
该方法可用于在JavaFX应用程序线程(与UI线程不同)上运行长时间运行的任务。
final Runnable appendTextRunnable =
() -> {
for (int i = 0; i < 10000; i++) {
staticTextArea.appendText("dada \n");
}
};
Platform.runLater(appendTextRunnable);