Kotlin 协程 - 如果一段时间后第一个任务没有完成,则启动另一个任务



我正在使用kotlin coroutines从服务器获取数据,我将延期延迟到其他功能。如果服务器在2000毫秒内没有给出答案的话,我想从本地房间db检验对象(如果它存在于本地数据库中),但是如果我最终从服务器中收到数据,我想保存在在本地数据库中进行以后的电话。我该如何实现?我考虑过使用FimeTimeOut,但是在这种情况下,超时后没有等待服务器的响应。

override fun getDocument(): Deferred<Document> {
    return GlobalScope.async {
        withTimeoutOrNull(timeOut) {
            serverC.getDocument().await()
        } ?: dbC.getDocument().await()
    }
}

我想到的想法:

fun getDocuments(): Deferred<Array<Document>> {
    return GlobalScope.async {
        val s = serverC.getDocuments()
        delay(2000)
        if (!s.isCompleted) {
            GlobalScope.launch {
                dbC.addDocuments(s.await())
            }
            val fromDb = dbC.getDocuments().await()
            if (fromDb != null) {
                fromDb
            } else {
                s.await()
            }
        } else {
            s.await()
        }
    }
}

我建议使用kotlinx.coroutines库中的select表达式。
https://kotlinlang.org/docs/reference/coroutines/select-expression.html


fun CoroutineScope.getDocumentsRemote(): Deferred<List<Document>>
fun CoroutineScope.getDocumentsLocal(): Deferred<List<Document>>
@UseExperimental(ExperimentalCoroutinesApi::class)
fun CoroutineScope.getDocuments(): Deferred<List<Document>> = async {
    supervisorScope {
        val documents = getDocumentsRemote()
        select<List<Document>> {
            onTimeout(100) {
                documents.cancel()
                getDocumentsLocal().await()
            }
            documents.onAwait {
                it
            }
        }
    }
}

SELECT表达式通过网络或超时的onAwait信号恢复。我们在这种情况下返回本地数据。

您可能还想将文档加载到块中,因为Channel S也可能会有所帮助https://kotlinlang.org/docs/reference/coroutines/channels.html

最后,我们使用kotlinx.coroutines的实验API,在示例中,函数onTimeout可能会在库的将来更改

相关内容

  • 没有找到相关文章

最新更新