6

我正在用 Go 编写一个 websocket 客户端。我从服务器收到以下 JSON:

{"args":[{"time":"2013-05-21 16:57:17"}],"name":"send:time"}

我正在尝试访问time参数,但无法掌握如何深入了解接口类型:

 package main;
 import "encoding/json"
 import "log"
 func main() {
    msg := `{"args":[{"time":"2013-05-21 16:56:16", "tzs":[{"name":"GMT"}]}],"name":"send:time"}`
    u := map[string]interface{}{}
    err := json.Unmarshal([]byte(msg), &u)
    if err != nil {
        panic(err)
    }
    args := u["args"]
    log.Println( args[0]["time"] )   // invalid notation...
}

这显然是错误的,因为符号不正确:

   invalid operation: args[0] (index of type interface {})

我只是找不到一种方法来挖掘地图以获取深度嵌套的键和值。

一旦我可以克服抓取动态值,我想声明这些消息。我将如何编写一个类型结构来表示这种复杂的数据结构?

4

2 回答 2

10

您可能想考虑包github.com/bitly/go-simplejson

见文档: http: //godoc.org/github.com/bitly/go-simplejson

例子:

time, err := json.Get("args").GetIndex(0).String("time")
if err != nil {
    panic(err)
}
log.Println(time)
于 2013-05-22T15:47:05.553 回答
8

您解码成的interface{}部分map[string]interface{}将匹配该字段的类型。所以在这种情况下:

args.([]interface{})[0].(map[string]interface{})["time"].(string)

应该返回"2013-05-21 16:56:16"

但是,如果您知道 JSON 的结构,您应该尝试定义一个与该结构匹配的结构并将其解组。前任:

type Time struct {
    Time time.Time      `json:"time"`
    Timezone []TZStruct `json:"tzs"` // obv. you need to define TZStruct as well
    Name string         `json:"name"`
}

type TimeResponse struct {
    Args []Time         `json:"args"`
}

var t TimeResponse
json.Unmarshal(msg, &t)

这可能不完美,但应该给你的想法

于 2013-05-21T16:13:41.043 回答