使用Kotlinx.serialization将JSON数组解析为Map <string,string =“”>

时间:2019-04-14 12:50:10

标签: json kotlin kotlin-multiplatform kotlinx.serialisation

我正在编写Kotlin多平台项目(JVM / JS),并且尝试使用Kotlinx.serialization将HTTP Json数组响应解析为Map

JSON是这样的:

[{"someKey": "someValue"}, {"otherKey": "otherValue"}, {"anotherKey": "randomText"}]

到目前为止,我已经能够以String的形式获取JSON,但找不到任何文档来帮助我构建Map或其他类型的对象。所有这些都说明了如何序列化静态对象。

由于密钥不固定,我无法使用@SerialName

当我尝试返回Map<String, String>时,出现此错误:

Can't locate argument-less serializer for class kotlin.collections.Map. For generic classes, such as lists, please provide serializer explicitly.

最后,我想获得一个Map<String, String>或一个List<MyObject>,其中我的对象可能是MyObject(val id: String, val value: String)

有没有办法做到这一点? 否则,我在考虑编写一个String读取器以解析我的数据。

1 个答案:

答案 0 :(得分:1)

您可以像这样实现自己的简单DeserializationStrategy

object JsonArrayToStringMapDeserializer : DeserializationStrategy<Map<String, String>> {

    override val descriptor = SerialClassDescImpl("JsonMap")

    override fun deserialize(decoder: Decoder): Map<String, String> {

        val input = decoder as? JsonInput ?: throw SerializationException("Expected Json Input")
        val array = input.decodeJson() as? JsonArray ?: throw SerializationException("Expected JsonArray")

        return array.map {
            it as JsonObject
            val firstKey = it.keys.first()
            firstKey to it[firstKey]!!.content
        }.toMap()


    }

    override fun patch(decoder: Decoder, old: Map<String, String>): Map<String, String> =
        throw UpdateNotSupportedException("Update not supported")

}


fun main() {
    val map = Json.parse(JsonArrayToStringMapDeserializer, data)
    map.forEach { println("${it.key} - ${it.value}") }
}