I am having trouble understanding why this piece of code can work properly:
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
launch(Dispatchers.Main) {
log("A")
}
log("B")
}
which is supposed to output B
first, and then A
.
Does this work, because the main thread is already controlled by coroutines? Or does the coroutines API somehow magically inject code into the main thread?
The UI/main thread in Android (and other UI frameworks as well) runs a so called event loop. That means it waits for tasks to be scheduled to it, it has a queue of such tasks and executes them sequentially. For example, when you click on a button, internally
onClick
action is scheduled to be run on the main thread. But the user is also allowed to schedule their tasks manually, for example by using runOnUiThread() or getMainLooper().Dispatchers.Main
is just yet another way to schedule something on the main thread. It doesn't mean coroutines take full control over the main thread or that they somehow, magically inject anything to it. Main thread is cooperative, it allows scheduling of tasks and coroutines just use this feature.Also, you asked in the comments, how is it possible that both log statements are run in parallel, but on the same thread. They are not run in parallel.
onCreate()
only scheduleslog("A")
to be executed later, this is added to the queue. Thenlog("B")
is invoked and only whenonCreate()
finishes, the main thread can start executinglog("A")
block. So this is actually sequential, but not in the top-to-bottom order.