文章目录
在 CoroutineScope 获取 CoroutineContext 很简单,只需要在使用的地方使用 coroutineContext 属性就能拿到。比如获取运行的线程:
val scope = CoroutineScope(EmptyCoroutineContext)
scope.launch {val dispatcher = coroutineContext[ContinuationInterceptor]println("Dispatcher: $dispatcher")
}输出结果:
Dispatcher: Dispatchers.Default
但是如果想在一个挂起函数里拿 coroutineContext,好像就只能作为 CoroutineScope 的扩展函数才能拿到。比如还是上面获取运行线程的例子:
val scope = CoroutineScope(EmptyCoroutineContext)
scope.launch {showDispatcher()
}private suspend fun CoroutineScope.showDispatcher() {// 挂起函数只能是 CoroutineScope 的扩展函数,才能拿到 coroutineContextval dispatcher = coroutineContext[ContinuationInterceptor]println("Dispatcher: $dispatcher")
}
我们知道挂起函数肯定是运行在协程上的,也就是外面肯定会包一个 CoroutineScope,那么 [在挂起函数获取 CoroutineScope 的 coroutineContext] 也是合理的要求。所以 kotlin 是有提供给我们在挂起函数获取 coroutineContext 的函数,代码编写也是 coroutineContext:
// 导入了一个包,挂起函数就能拿到 coroutineContext
import kotlin.coroutines.coroutineContext val scope = CoroutineScope(EmptyCoroutineContext)
scope.launch {showDispatcher()
}private suspend fun showDispatcher() {// 挂起函数此时不是 CoroutineScope 的扩展函数了,也能拿到 coroutineContextval dispatcher = coroutineContext[ContinuationInterceptor]// 另一个获取方式:// val dispatcher = currentCoroutineContext()[ContinuationInterceptor]println("Dispatcher: $dispatcher")
}CoroutineScope.ktpublic suspend inline fun currentCoroutineContext(): CoroutineContext = coroutineContext
另外提供的 currentCoroutineContext() 函数虽然也是拿的 coroutineContext,它主要的作用是在协程使用时避免命名冲突的。比如下面的例子:
private fun flowFunction() {flow<String> {coroutineContext}GlobalScope.launch {flow<String> {// 和上面的 flow 拿的 coroutineContext 不是一个东西// 这里拿的是 launch 的 CoroutineScope 的 coroutineContext 属性coroutineContext // 获取到 flow 的 coroutineContextcurrentCoroutineContext() }}
}