I used a PublishSubject and I was sending messages to it and also I was listening for results. It worked flawlessly, but now I\'m not sure how to do the same thing with Kotlin\'
Flow is a cold asynchronous stream, just like an Observable
.
All transformations on the flow, such as
map
andfilter
do not trigger flow collection or execution, only terminal operators (e.g.single
) do trigger it.
The onEach
method is just a transformation. Therefore you should replace it with the terminal flow operator collect
. Also you could use a BroadcastChannel
to have cleaner code:
private val channel = BroadcastChannel<Boolean>(1)
suspend fun someMethod(b: Boolean) {
channel.send(b)
}
suspend fun observe() {
channel
.asFlow()
.debounce(500)
.collect {
// value received
}
}
Update: At the time the question was asked there was an overload of debounce
with two parameters (like in the question). There is not anymore. But now there is one which takes one argument in milliseconds (Long).
ArrayBroadcastChannel in Kotlin coroutines is the one most similar to PublishSubject.
Unlike PublishSubject, backpressure is inbuilt into the coroutine channels, and that is where the buffer capacity comes in. This number really depends on which use case the channel is being used for. For most of the normal use cases, I just go with 10, which should be more than enough. If you push events faster to this channel than receivers consuming it, you can give more capacity.