Kotlin - 使用 ION 获取多个 JSON 文件时避免嵌套回调

Kotlin - Avoid nested callbacks when fetching multiple JSON files with ION

我有一些代码 1] 获取一个 JSON 文件和 2] 根据该 JSON 文件的内容,获取另一个 JSON 文件。它使用 ion 库。

代码大致如下所示(旁注 - 此代码位于我的 activity 的 onCreate 方法中,而 e 是类型 Exception 的对象) :

Ion.with(applicationContext)
                .load("someURL")
                .asJsonObject()
                .setCallback { e, result->
                    //Do synchronous stuff with the "result" and "e" variables
                    //that determines whether boolean someCondition is true or false 

                    if(somecondition) {
                        Ion.with(applicationContext)
                                .load("https://raw.githubusercontent.com/vedantroy/image-test/master/index.json")
                                .asJsonObject()
                                .setCallback { e, result ->

                                    //Some synchronous code in here

                                }
                    } 

                }

这段代码非常丑陋,我想改进它以摆脱嵌套。这可能吗?如果可以,我该怎么做?

我一直在试验,似乎我可以像这样在 setCallback 之后调用方法 .then(),其中 .then() 接受一个 callback 对象的参数:

Ion.with(applicationContext).load("someURL").setCallback { //Lambda Stuff }.then()

所以也许这将是解决方案的一部分,但我不确定。

Ion 项目有一个用于 Kotlin 协程的模块:https://github.com/koush/ion/tree/master/ion-kotlin,但它似乎并未处于生产状态。幸运的是,在任何异步 API 和 Kotlin 协程之间添加您自己的桥梁非常简单。

以下是如何为 Ion 执行此操作的示例:

private suspend fun fetchIon(url: String): String = suspendCoroutine { cont ->
    Ion.with(this)
            .load(url)
            .asString()
            .setCallback { e, result ->
                if (e != null) {
                    cont.resumeWithException(e)
                } else {
                    cont.resume(result)
                }
            }
}

现在你可以拥有这样的代码:

class MyActivity : Activity() {
    override fun onCreate(savedInstanceState: Bundle?) {
        super.onCreate(savedInstanceState)
        launch(UI) {
            if (fetchIon("example.org/now") > fetchIon("example.org/deadline") {
                ...
            }
        }
    }

如您所见,您执行异步 IO 代码就像阻塞一样。要处理错误,只需将其包装在 try-catch 中,就像处理任何 "regular" 代码一样。