Kotlin通用工厂动态投射

时间:2019-04-10 06:34:01

标签: generics kotlin casting factory

我想用通用参数创建对象的工厂:

interface Foo<T> {
    fun buzz(param: T)
}

我有两种实现测试的方法:

class FooImpl1 : Foo<String> {
    override fun buzz(param: String) {
        // implementation 1
    }
}

class FooImpl2 : Foo<Int> {
    override fun buzz(param: Int) {
        // implementation 2
    }
}

现在我已经创建了包含所有实现的地图

val implementationMap = mapOf<String, Foo<*>>(
    Pair(firstKey, FooImpl1()),
    Pair(secKey, FooImpl2())
)

我还有带参数的地图:

val paramMap = mapOf<String, Any>(
    Pair(firstKey, "String param"),
    Pair(secKey, 12)
)

但是现在当我从地图中获取第一个元素时

implementationMap.getValue(firstKey).buzz(paramMap.getValue(firstKey))

我的buzz方法拒绝任何参数(想将Nothing作为类型)

所以我用类型创建了另一个地图

val classMap = mapOf<String, KClass<*>>(
    Pair(firstKey, FooImpl1::class),
    Pair(secKey, FooImpl2::class)
)

val paramClassMap = mapOf<String, KClass<*>>(
    Pair(firstKey, String::class),
    Pair(secKey, Int::class)
)

但是我不能那样投下去:

implementationMap.getValue(firstKey)
    .cast < classMap.getValue(firstKey) > () // not possible
    .buzz(
        paramMap.getValue(firstKey)
        .cast < paramClassMap.getValue(firstKey) > () // not possible
    )

或者那个

(implementationMap.getValue(firstKey) // FooImpl1
    /*not possible */ as classMap.getValue(firstKey)) // (FooImpl1::class)
    .buzz(
        paramMap.getValue(firstKey) // String
        /*not possible */ as paramClassMap.getValue(firstKey)) // (String::class)

我也尝试使用Token类型,但是它并没有帮助:

val classMap = mapOf<String, Type>(
    Pair(firstKey, object: TypeToken<FooImpl1>() {}.type),
    Pair(secKey, object: TypeToken<FooImpl1>() {}.type)
)

任何想法如何正确投放?还是一些“不同方法”的想法?

2 个答案:

答案 0 :(得分:3)

恐怕您只需要进行一些未经检查的转换即可。

interface Foo<T> {
    fun buzz(param: T)
}

class FooImpl1 : Foo<String> {
    override fun buzz(param: String) {
        println(param)
    }
}

class FooImpl2 : Foo<Int> {
    override fun buzz(param: Int) {
        println(param)
    }
}

val implementationMap = mapOf<String, Foo<*>>(
        Pair("firstKey", FooImpl1()),
        Pair("secKey", FooImpl2())
)

val paramMap = mapOf<String, Any>(
        Pair("firstKey", "String param"),
        Pair("secKey", 12)
)


fun main() {
    @Suppress("UNCHECKED_CAST")
    val imp = implementationMap["firstKey"] as Foo<Any?>
    val param = paramMap["firstKey"]
    imp.buzz(param)
}

答案 1 :(得分:0)

好吧,如果可以将它们组合在一起...

class FooWithParam<T>(foo: Foo<T>, param: T) {
    fun doBuzz() = foo.buzz(param)
}

val fooWithParamMap = mapOf<String, FooWithParam<*>>(
    Pair(firstKey, FooWithParam(FooImpl1(), "String param"),
    Pair(secKey, FooWithParam(FooImpl2(), 12))
)

implementationMap[firstKey].doBuzz()