2

In java fx controller i have two version of the code that simply sets a text on a label when a button is pressed (this is just a sample, but any other ui modification can be considered)...

first version uses Platform.runLater :

Platform.runLater(() -> {
   status.setText("");
   statusIndicator.setVisible(false);
});

the other one simply modifies it in ordinary thread :

status.setText("");
statusIndicator.setVisible(false);

Both are working perfectly fine, only difference i know so far is that passing some runnable to Platform.runLater will keep the order of execution.

is there any other significat difference or motive to use Platform.runLater?

vach
  • 10,571
  • 12
  • 68
  • 106

1 Answers1

4

JavaFX has just a single UI thread

From Docs

The JavaFX scene graph, which represents the graphical user interface of a JavaFX application, is not thread-safe and can only be accessed and modified from the UI thread also known as the JavaFX Application thread

In case you have long-running tasks, you will want to run them on background threads and after completion of such threads, you would want to update the result back to the UI. Under such scenario's, you use the updation surrounded with Platform.runlater(). Surrounding your code with Platform.runLater enables your code to communicate with the JavaFX Application thread.

Coming to your question :

is there any other significat difference or motive to use Platform.runLater?

I hope most of it is already answered, just to add

1 . You don't have to use Platform.runlater(), if you are already on the JavaFX Application thread

2 . As the Platform.runLater() doc says

Run the specified Runnable on the JavaFX Application Thread at some unspecified time in the future

We are not sure when the update will take place, it depends on the number of updates waiting to be processed. If a number of updates are waiting to be processed on the UI thread, it can take some time (such scenario normally doesn't happen)

ItachiUchiha
  • 36,135
  • 10
  • 122
  • 176
  • So when i'm in controllers method that is triggered from ui interaction it is the FX thread? and i'm safe to not use Platform.runlater? in long operation case from controller i need to execute a separate execution of operation and update ui using Platform.runlater? – vach Sep 24 '14 at 11:20
  • 1
    If you are not creating any threads in controller, you are safe not to use it ! – ItachiUchiha Sep 24 '14 at 11:25
  • thanks... I didnt know that controller methods are running in that single UI thread, now i'll move all long operations to asynchronious execution... – vach Sep 24 '14 at 11:28