Take Kotlin channels for example
for(msg in channel){
// to stuff
yield() // maybe?
}
How do you know if yield is required? I assume that Channels are built in a way that yielding happens automatically behind the scenes in the iterator but I'm not sure. In general, how do you know you need manual yields when using the rest of Kotlin's coroutine library that might do it for you automatically?
CodePudding user response:
In most cases you should not at all need to use yield()
or be concerned with it. Coroutines can switch automatically whenever we get to a suspension point, which usually happens pretty often.
yield()
is needed only if our code does not suspend for prolonged time. That usually means we are performing intensive CPU calculations. In your example receiving from the channel is suspending operation, so you don't need yield()
here.
CodePudding user response:
You only need to call yield
if you want to artificially add a suspension point when you have none in a piece of code. Suspension points are calls to suspend
functions.
If you don't know which functions are suspend
from the top of your head, you can quickly identify those in IntelliJ IDEA for instance because every suspend function call is marked with an icon:
So in your case you would see it on the iteration over the channel:
You only really need to manually add a yield
if you have loops or extended pieces of code that exclusively use regular functions, or more generally if you want to ensure other coroutines have a chance to run at a particular point in time (for instance in tests). This shouldn't happen often.