通过Kotlin Coroutine Flow进行Zip网络请求

时间:2019-06-16 21:03:51

标签: android retrofit kotlin-coroutines

我有一个通过RxJava压缩两个网络请求的代码:

Single.zip(repository.requestDate(), repository.requestTime()) {
  date, time -> Result(date, time)
}

这意味着repository.requestDate() / repository.requestTime()返回Single<T>

如果我想使用协程,则需要将请求更改为:

@GET('link/date')
suspend fun requestDate() : Date

@GET('link/time')
suspend fun requestTime() : Time

但是,如何从Kotlin Coroutines通过Flow压缩请求?

我知道我可以这样:

coroutineScope {
   val date = repository.requestDate()
   val time = repository.requestTime()
   Result(date, time)
}

但是我想通过Flow做到!

我了解频道,但是Channels.zip()已过时。

2 个答案:

答案 0 :(得分:2)

val dateFlow = flowOf(repository.requestDate())
val timeFlow = flowOf(repository.requestTime())
val zippedFlow = dateFlow.zip(timeFlow) { date, time -> Result(date, time) }

https://kotlin.github.io/kotlinx.coroutines/kotlinx-coroutines-core/kotlinx.coroutines.flow/zip.html

答案 1 :(得分:0)

对于大多数操作,Flow遵循与普通协同例程相同的规则,因此要压缩两个单独的请求,您需要应用async concurrency pattern

在实践中,最终看起来像这样:

flow {
    emit(coroutineScope/withContext(SomeDispatcher) {
        val date = async { repository.requestDate() }
        val time = async { repository.requestTime() }
        Result(date.await(), time.await())
    }}
}