我在Kotlin中编写了一些基于协程的事件处理代码,并且进展顺利。我在各种事件处理程序中都有执行相同操作的代码,并且我试图将此代码放在一个地方。我坚持以下几点。想法是,子类可以通过提供类与方法的映射来指定可以处理的事件类型。我无法编译它。有没有办法使这项工作?有更好的方法吗?谢谢。
abstract class EventHandler(private val handlers: Map<KClass<out Event>, suspend (Event) -> Unit>) {
suspend fun handle(event: Event) {
val handler = handlers[event::class]
if (handler != null) {
handler(event)
} else {
throw IllegalStateException("No handler configured for $event")
}
}
}
data class ExampleEvent(private val id: String): Event
class ExampleHandler(): EventHandler(mapOf(ExampleEvent::class to handleExample)) {
^^^^^^^^^^^^^ - compile error
suspend fun handleExample(event: ExampleEvent) {
TODO()
}
}
答案 0 :(得分:3)
由于3种不同的原因,您无法编译它:
由于handleExample
是一个实例方法,由于尚未创建子类的实例,因此您无法在超级构造函数中引用它。
如果要引用实例方法的函数,则应在其前面加上::
,因此在您的情况下,请加上::handleExample
。
函数handleExample
接受类型为ExampleEvent
的事件,因此它不符合输入类型Event
,在这种情况下,您需要进行强制转换。
也就是说,您的问题有一个解决方案,可以解决上述3点,并为每个EventHandler
子类重复该样板工作。
解释全在评论上。
inline fun <reified T : Event> typedCoroutine(crossinline block: suspend (T) -> Unit): Pair<KClass<out Event>, suspend (Event) -> Unit> =
// Since the type is reified, we can access its class.
// The suspend function calls the required suspend function casting its input.
// The pair between the two is returned.
T::class to { event -> block(event as T) }
abstract class EventHandler {
// Require the subclasses to implement the handlers.
protected abstract val handlers: Map<KClass<out Event>, suspend (Event) -> Unit>
suspend fun handle(event: Event) {
val handler = handlers[event::class]
if (handler != null) {
handler(event)
} else {
throw IllegalStateException("No handler configured for $event")
}
}
}
class ExampleHandler : EventHandler() {
// The type of typedCoroutine is inferred from handleExample.
override val handlers: Map<KClass<out Event>, suspend (Event) -> Unit> = mapOf(typedCoroutine(::handleExample))
suspend fun handleExample(event: ExampleEvent) {
TODO()
}
}
使用typedCoroutine
,您可以轻松地在所有handlers
子类中填充EventHandler
地图。