如何解码以下JSON?

时间:2017-02-04 19:09:35

标签: json go

我有一个格式为

的JSON对象
{
  "results": [
    {
      "hits": [
        {
          "title": "Juliette DELAUNAY",
          "author:url": "abc.com"
        }
        ]
    }
    ]
}

要在我的go程序中解码,我已经制作了以下结构

type results struct{
    Result []result `json:"results"`
}

type result struct{
    Hits []hit `json:"hits"`
}

type hit struct{
    Name string `json:"title"`
    Url string `json:"author:url"`
}
var m =make(map[string]string)
var t results

但是当我尝试执行以下操作时,

decoder := json.NewDecoder(resp.Body)


    err = decoder.Decode(&t)
    if err != nil {
        fmt.Println(err)
    }


    for _,x := range t.Result[0].Hits{
        m[x.Name] = x.Url
        fmt.Println(x.Name,x.Url)
    }

它给出了运行时错误,指出索引超出范围。我究竟做错了什么?对于给定的json,我的结构是否不正确?

编辑:我需要解码的JSON文件

var jsonStr = []byte(`{"requests":[{"indexName":"recherchepepitesAtoZ","params":"query=x&hitsPerPage=2817&maxValuesPerFacet=42&page=0&facets=%5B%22field_frenchtech_hub_pepite%22%2C%22field_categorie%22%2C%22field_frenchtech_hub_pepite%22%5D&tagFilters="}]}`)
    req, err := http.NewRequest("POST", "http://6y0slgl8yj-dsn.algolia.net/1/indexes/*/queries?x-algolia-agent=Algolia%20for%20vanilla%20JavaScript%20(lite)%203.20.4%3Binstantsearch.js%201.10.4%3BJS%20Helper%202.18.0&x-algolia-application-id=6Y0SLGL8YJ&x-algolia-api-key=6832a361e1e1628f8ddb2483623104c6", bytes.NewBuffer(jsonStr))
    //req.Header.Set("X-Custom-Header", "application/x-www-form-urlencoded")
    req.Header.Set("Content-Type", "application/json")

    client := &http.Client{}
    resp, err := client.Do(req)
    if err != nil {
        panic(err)
    }
    defer resp.Body.Close()

1 个答案:

答案 0 :(得分:0)

这是一个稍微修改过的版本,可以在我的机器上运行并进入游乐场:

GoPlayground

package main

import (
  "encoding/json"
  "fmt"
  "strings"
)

type results struct {
  Result []result `json:"results"`
}

type result struct {
  Hits []hit `json:"hits"`
}

type hit struct {
  Name string `json:"title"`
  Url  string `json:"author:url"`
}

var m = make(map[string]string)

func main() {
  jsonSample := `{
  "results": [
    {
      "hits": [
        {
          "title": "Juliette DELAUNAY",
          "author:url": "abc.com"
        }
        ]
    }
    ]
  }`

  var t results
  decoder := json.NewDecoder(strings.NewReader(jsonSample))

  err := decoder.Decode(&t)
  if err != nil {
    fmt.Println(err)
  }

  for _, x := range t.Result[0].Hits {
    m[x.Name] = x.Url
    fmt.Println(x.Name, x.Url)
  }
}