从深度嵌套的 JSON 文件中提取值(维基百科 API)

Extract value from deeply nested JSON file (Wikipedia API)

作为 Go 新手,这是我第一次尝试使用 Go 结构从维基百科 API 生成的 JSON 文件中访问深层嵌套的值。通读所有关于 Unmarshaling with Go 的帖子并没有多大帮助。

Json示例文件(摘自维基百科API)

{
  "batchcomplete": "",
  "query": {
    "normalized": [
      {
        "from": "Go_(programming_language)",
        "to": "Go (programming language)"
      }
    ],
    "pages": {
      "25039021": {
        "pageid": 25039021,
        "ns": 0,
        "title": "Go (programming language)",
        "extract": "Go is a statically typed, compiled programming language designed at Google by Robert Griesemer, Rob Pike, and Ken Thompson."
      }
    }
  }
}

我想访问 titleextract 的值。使用 jq:

很简单
$ jq '.query.pages[] | .title, .extract' wikipedia-api-output
"Go (programming language)"
"Go is a statically typed, compiled programming language designed at Google by Robert Griesemer, Rob Pike, and Ken Thompson."

我最近一次失败的尝试:

type Wiki struct {
    Query struct {
        Pages struct {
            Article struct {
                Title   string `json:"title`
                Extract string `json:"extract`
            } `json:"25039021"`
        } `json:"pages"`
    } `json:"query"`
}

func main() {

    jsonStr :=
        `{
            "batchcomplete": "",
            "query": {
              "normalized": [
                {
                  "from": "Go_(programming_language)",
                  "to": "Go (programming language)"
                }
              ],
              "pages": {
                "25039021": {
                  "pageid": 25039021,
                  "ns": 0,
                  "title": "Go (programming language)",
                  "extract": "Go is a statically typed, compiled programming language designed at Google by Robert Griesemer, Rob Pike, and Ken Thompson."
                }
              }
            }
        }`
    var wikiDescr Wiki
    err := json.Unmarshal([]byte(jsonStr), &wikiDescr)
    if err != nil {
        fmt.Println(err)
    }

    fmt.Println(wikiDescr)

}

这个returns是预期的结果,但是用来提取所需值的pageid(25039021)是维基百科生成的,猜不出来。有没有办法通配该值,或者我是否需要先提取该 pageid 值,然后像上面的代码一样使用它?

使用地图,特别是 map[string]Page,其中 Page 是您的页面数据结构:

type Page struct {
    Title   string `json:"title"`
    Extract string `json:"extract"`
}

type Wiki struct {
    Query struct {
        Pages map[string]Page `json:"pages"`
    } `json:"query"`
}

这里的工作示例(修正问题代码中的一些错别字后):https://play.golang.org/p/z9Ngcae9O1F