处理Kotlin中事件总线的通用侦听器

问题描述 投票:3回答:1

我的目标是在Kotlin中实现非常简单的事件总线,而无需任何第三方库。我用下面的代码实现了。

class EventListener<T>(
    val owner: Any,
    val event: Class<T>,
    val callback: (T) -> Unit
)

interface IEventBus {
    fun <T> subscribe(owner: Any, event: Class<T>, callback: (T) -> Unit)
    fun unsubscribe(owner: Any)
    fun <T> push(event: T)
}

class EventBus : IEventBus {
    private val _listeners = mutableListOf<EventListener<*>>()

    override fun <T> subscribe(owner: Any, event: Class<T>, callback: (T) -> Unit) {
        val listener = EventListener(owner, event, callback)
        _listeners.add(listener)
    }

    override fun unsubscribe(owner: Any) {
        _listeners.removeAll {
            it.owner == owner
        }
    }

    override fun <T> push(event: T) {
        _listeners.forEach { listener ->
            try {
                val l = listener as EventListener<T> // is always a success
                l.callback(event)                    // throws an exception if can't handle the event
            } catch (ex: Exception) { }
        }
    }
}

然后用法如下:

// register listener
bus.subscribe(this, String::class.java) {
    print(it)
}
// push an event (from somewhere else in the project)
bus.push("Hello world!")

它有效并且完全可用,但是我对此不满意...强制转换listener as EventListener将始终返回某些内容,然后如果l.callback(event)无法处理该事件键入它将引发异常。因此,如果订阅了许多侦听器,那么它将生成许多不需要的异常,这些异常将被忽略。

我希望先进行某种检查,例如:

if (listener is EventListener<T>)
    listener.callback(event)

但是我发现JVM在编译后会丢失有关泛型类型的信息。我还发现,可以使用kotlin的inlinereified绕过它,但是不能在来自接口的方法上使用它们...

所以我的问题是,您是否知道任何更优雅的方式来处理此类通用问题?

android generics events kotlin jvm
1个回答
1
投票

由于您已经公开了事件的类别(EventListener#event,因此可以使用isInstance()检查该类别是否与事件的实例兼容)。>>

所以,而不是:

if (listener is EventListener<T>)
    listener.callback(event)

您可以做:

if (listener.event.isInstance(event)) {
    // The cast is safe since you checked if the event can be received by the listener.
    (listener as EventListener<T>).callback(event)
}

原语

[如果您也想支持基本类型的T,则可以将Class<T>更改为KClass<T>或手动检查每种基本类型(例如event is Intevent is Long)的实例。

© www.soinside.com 2019 - 2024. All rights reserved.