- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
短(-ish)故事
我想知道是否有或多或少的标准方法来创建协程上下文/范围,以便:
launch()
. suspend fun createChildCoroutineScope(): CoroutineScope {
val ctx = coroutineContext
return CoroutineScope(ctx + Job(ctx.job))
}
乍一看,它似乎完全符合我的需要。是否等同于
coroutineScope()
或者我的解决方案在某种程度上不完整,我应该执行一些额外的任务?我试图阅读
coroutineScope()
的源代码,但相当复杂。是否有更简单或更标准的方法来创建子作用域?
class MyService {
fun scheduleSomeTask() {
// start task in the background
// return immediately
}
}
使用协程有几种可能性:
GlobalScope
,但很糟糕。scheduleSomeTask()
使用当前协程暂停和运行后台任务。在许多情况下,我认为这种方法并不是真正合适的方法:CoroutineScope()
创建范围和 cancel()
它在停止/破坏时。这很好,但我认为我们仍然可以从协程的结构化并发中受益,所以对我来说,我的服务分离是一个缺点。start()
/stop()
我们需要手动控制生命周期的服务,并且很难正确处理故障。协程让它变得更容易:如果缓存服务崩溃,它会自动传播到下载服务;如果下载服务需要停止,它只是取消它的协程,它可以确保它不会泄漏它的任何子组件。所以对我来说,在设计由几个小服务组成的应用程序时,协程的结构化并发可能非常有用。class MyService {
private lateinit var coroutine : CoroutineScope
suspend fun start() {
coroutine = createChildCoroutineScope() + CoroutineName("MyService")
}
fun stop() {
coroutine.cancel()
}
fun scheduleSomeTask() {
coroutine.launch {
// do something
}
}
}
或者,或者:
class MyService(
private val coroutine: CoroutineScope
) {
companion object {
suspend fun start() = MyService(createChildCoroutineScope())
}
}
通过这种方式,服务“拦截”启动它的协程并将其后台操作附加到它。但正如我所说,我不确定这是否出于某种原因不被视为反模式。
createChildCoroutineScope()
有潜在危险。通过调用它,我们使当前的协程无法完成。这可能是库中不存在此类函数的原因。另一方面,它与执行以下操作并没有真正不同:
launch {
while (true) {
socket.accept() // assume it is suspendable, not blocking
// launch connection handler
}
}
事实上,从技术角度来看,这两种方法非常相似。它们具有相似的并发结构,但我相信“我的”方法通常更简洁、更强大。
最佳答案
我找到了对我的问题的非常好的答案和解释。 Roman Elizarov 在他的一篇文章中准确地讨论了我的问题:https://elizarov.medium.com/coroutine-context-and-scope-c8b255d59055
他解释说,虽然在技术上可以“捕获”挂起函数的当前上下文并使用它来启动后台协程,但强烈建议不要这样做:
Do not do this! It makes the scope in which the coroutine is launched opaque and implicit, capturing some outer
Job
to launch a new coroutine without explicitly announcing it in the function signature. A coroutine is a piece of work that is concurrent with the rest of your code and its launch has to be explicit.If you need to launch a coroutine that keeps running after your function returns, then make your function an extension of
CoroutineScope
or passscope: CoroutineScope
as parameter to make your intent clear in your function signature. Do not make these functions suspending.
CoroutineScope
/
CoroutineContext
到一个函数,但我认为挂起函数是一种更短、更优雅的方法。然而,上述解释使 hell 很有意义。如果我们的函数需要获取调用者的协程范围/上下文,请明确说明这一点 - 再简单不过了。
关于kotlin - 在 Kotlin 中创建子协程范围,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/67749075/
在我的设置中,我试图有一个界面 Table继承自 Map (因为它主要用作 map 的包装器)。两个类继承自 Table - 本地和全局。全局的将有一个可变的映射,而本地的将有一个只有本地条目的映射。
Rust Nomicon 有 an entire section on variance除了关于 Box 的这一小节,我或多或少地理解了这一点和 Vec在 T 上(共同)变体. Box and Vec
我是一名优秀的程序员,十分优秀!