为什么流程不执行,没有抛出错误?

Why flow doesn't execute, no error thrown?

GlobalScope 或自定义 CoroutineScope 实例都不起作用:

import kotlinx.coroutines.*
import kotlinx.coroutines.flow.*

fun makeFlow() = flow {
    println("sending first value")
    emit(1)
    println("first value collected, sending another value")
    emit(2)
    println("second value collected, sending a third value")
    emit(3)
    println("done")
}

@InternalCoroutinesApi
fun main() {
    val someScope = CoroutineScope(Dispatchers.Default)
    someScope.launch {
        makeFlow().collect { value ->
            println("value is $value")
        }
    }
    GlobalScope.launch {
        makeFlow().collect { value ->
            println("value is $value")
        }
    }
}

绝对没有输出或抛出错误

为什么?

更奇怪的是,当我添加一个runBlocking{}块时,一切都执行:

val someScope = CoroutineScope(Dispatchers.Default)
    someScope.launch {
        makeFlow().collect { value ->
            println("someScope: value is $value")
        }
    }
    GlobalScope.launch {
        makeFlow().collect { value ->
            println("GlobalScope: value is $value")
        }
    }
    runBlocking {
        makeFlow().collect { value ->
            println("runBlocking: value is $value")
        }
    }

输出:

sending first value
sending first value
sending first value
runBlocking: value is 1
GlobalScope: value is 1
first value collected, sending another value
GlobalScope: value is 2
second value collected, sending a third value
GlobalScope: value is 3
done
someScope: value is 1
first value collected, sending another value
someScope: value is 2
second value collected, sending a third value
someScope: value is 3
done
first value collected, sending another value
runBlocking: value is 2
second value collected, sending a third value
runBlocking: value is 3
done

您启动的协同程序无法完成,因为 main 函数 return 在触发它们后立即启动,而不等待它们,从而完成您的应用程序。没有错误发生,因为这是预期的行为。

runBlocking 的 lambda 不会 return 直到其中的所有协程 return。在这种情况下,它恰好浪费了足够的时间让其他两个协程有时间完成,可能是因为它是最后启动的并且完成了大致相同的工作量。

如果你给前两个引入延迟,他们将没有机会完成:

fun main() {
    val someScope = CoroutineScope(Dispatchers.Default)
    someScope.launch {
        delay(100L)
        makeFlow().collect {
            makeFlow().collect { value ->
                println("value is $value")
            }
        }
    }
    GlobalScope.launch {
        delay(100L)
        makeFlow().collect { value ->
            println("value is $value")
        }
    }
    runBlocking {
        makeFlow().collect { value ->
            println("runBlocking: value is $value")
        }
    }
}
sending first value
runBlocking: value is 1
first value collected, sending another value
runBlocking: value is 2
second value collected, sending a third value
runBlocking: value is 3
done