我有一段时间解析JSON字符串并最终登陆https://github.com/bitly/go-simplejson。它看起来很有前途,但它仍然给我一个空的结果,用于以下JSON数组:
{
"data": {
"translations": [
{
"translatedText": "Googlebot: Deutsch, um die Luft-Speed-Geschwindigkeit einer unbeladenen Schwalbe?"
}
]
}
}
我想通过仅指定密钥来到translatedText
。这样做的原因是我的JSON结构不可预测,因此我希望定位任何JSON数组,但在不知道JSON数组的完整结构的情况下指定密钥。
这是我使用的代码片段content
包含JSON字节数组:
f, err := js.NewJson(content)
if err != nil {
log.Println(err)
}
t := f.Get("translatedText").MustString()
log.Println(t)
t
总是空白的:(不胜感激。
答案 0 :(得分:5)
您遇到的问题是函数Get
不会递归搜索结构;它只会查找当前级别的密钥。
您可以做的是创建一个递归函数,搜索结构并在找到后返回值。以下是使用标准包encoding/json
:
package main
import (
"encoding/json"
"fmt"
)
// SearchNested searches a nested structure consisting of map[string]interface{}
// and []interface{} looking for a map with a specific key name.
// If found SearchNested returns the value associated with that key, true
// If the key is not found SearchNested returns nil, false
func SearchNested(obj interface{}, key string) (interface{}, bool) {
switch t := obj.(type) {
case map[string]interface{}:
if v, ok := t[key]; ok {
return v, ok
}
for _, v := range t {
if result, ok := SearchNested(v, key); ok {
return result, ok
}
}
case []interface{}:
for _, v := range t {
if result, ok := SearchNested(v, key); ok {
return result, ok
}
}
}
// key not found
return nil, false
}
func main() {
jsonData := []byte(`{
"data": {
"translations": [
{
"translatedText": "Googlebot: Deutsch, um die Luft-Speed-Geschwindigkeit einer unbeladenen Schwalbe?"
}
]
}
}`)
// First we unmarshal into a generic interface{}
var j interface{}
err := json.Unmarshal(jsonData, &j)
if err != nil {
panic(err)
}
if v, ok := SearchNested(j, "translatedText"); ok {
fmt.Printf("%+v\n", v)
} else {
fmt.Println("Key not found")
}
}
<强>结果:强>
Googlebot:Deutsch,嗯死了Luft-Speed-Geschwindigkeit einer unbeladenen Schwalbe?