我正在使用Gson来解析应用程序中的JSON。我有一个特定的用例,我想获取一个JsonObject并有效地对其进行深度克隆,除了更改与某些特定条件匹配的键/值。
例如,假设源对象是这样的:
{
"foo": {
"bar": {
"baz": "some value here"
},
"baz": "another value here"
}
}
我想遍历每个键(不管它有多嵌套),如果有一个名为baz
的键,我将运行我的转换函数,我的输出对象如下所示:
{
"foo": {
"bar": {
"bazTransformed": "this got altered by my function"
},
"bazTransformed": "so did this"
}
}
我知道我可以做一些事情,比如将JsonObject转换为字符串并使用RegEx模式来查找和替换,但这感觉不对。
我真的很难去创建一个递归函数,或者至少是一个比字符串操作更好的解决方案。
我可以使用JsonObject. entrySet()
开始迭代,但这会返回一个Map
编辑:对我来说,最好将JsonObject转换为Map,如下所示:gson. fromJson(source ceObj,Map::class.java)作为MutableMap
我可以编写一个递归迭代的函数,如下所示:
fun generateObject(sourceObj: JsonElement): JsonObject {
val inputMap = gson.fromJson(sourceObj, Map::class.java) as MutableMap<*, *>
val outputMap: MutableMap<String, Any> = mutableMapOf()
fun go(toReturn: MutableMap<String,Any>,
input: MutableMap<String, Any>) {
for ((key, value) in input) {
if (key == "baz") {
println("baz key found")
//do my transformation here
}
if (value is Map<*, *>) {
println("nested map")
go(toReturn, value as MutableMap<String, Any>)
}
// this part is wrong however, because `key` is potentially nested
outputMap[key] = value
}
}
go(outputMap, inputMap as MutableMap<String, Any>)
return gson.toJsonTree(outputMap).asJsonObject
}
多亏了一个朋友的帮助,我找到了这个问题的答案。希望这将在未来帮助其他人解决同样的问题。
val inputMap = mapOf(
"foo" to mapOf(
"bar" to mapOf(
"baz" to "something composable")))
val expectedOutputMap = mutableMapOf(
"foo" to mutableMapOf(
"bar" to mutableMapOf(
"bux" to "here be some data")))
fun go(input: Map<String, Any>) : Map<String, Any> {
return input.entries.associate {
if (it.key == "baz") {
// alternatively, call some transformation function here
"bux" to "here be some data"
} else if ( it.value is Map<*, *>) {
it.key to go(it.value as Map<String, Any>)
} else {
it.key to it.value
}
}
}
val outputMap = go(inputMap)
最后,我的用例的发展略有不同。对于我的用例,我需要实际获取一个JsonObject,遍历它,如果我找到了一个特定的键,那么我将读取该键的内容并构建一个新的JsonElement来代替它。
我在这里提供的解决方案掩盖了这个细节,因为它有点绕道,但是你可以看到这种转换会发生在哪里。