我有一个关于在Go中解码任意JSON对象/消息的问题。例如,假设您可以在http连接上接收到三个截然不同的JSON对象(又称消息),为了说明起见,我们称它们为:
1 | { home : { some unique set of arrays, objects, fields, and arrays objects } } |
和
1 | { bike : { some unique set of arrays, objects, fields, and arrays objects } } |
和
1 | { soda : { some unique set of arrays, objects, fields, and arrays objects } } |
我在想的是,您可以将它们从http连接解码为接口映射,例如:
1 2 3 4 | func httpServerHandler(w http.ResponseWriter, r *http.Request) { message := make(map[string]interface{}) decoder := json.NewDecoder(r.Body) _ = decoder.Decode(&message) |
然后执行if,else if块以查找有效的JSON消息
1 2 3 4 5 6 7 | if _, ok := message["home"]; ok { // Decode interface{} to appropriate struct } else if _, ok := message["bike"]; ok { // Decode interface{} to appropriate struct } else { // Decode interface{} to appropriate struct } |
现在在if块中,如果我重新解码整个包,我可以使其工作,但是我认为这很浪费,因为我已经对其进行了部分解码,并且只需要解码map的值即可。接口{},但似乎无法正常工作。
但是,如果我执行以下类似的操作(例如homeType是一个结构),则可以对整个事情进行重新编码:
1 2 3 | var homeObject homeType var bikeObject bikeType var sodaObject sodaType |
然后在if块中执行:
1 2 3 4 5 6 | if _, ok := message["home"]; ok { err = json.Unmarshal(r.Body, &homeObject) if err != nil { fmt.Println("Bad Response, unable to decode JSON message contents") os.Exit(1) } |
因此,在没有重新解码/解组整个事情的情况下,如何处理地图中的interface {}?
如果您有诸如map [string] interface {}之类的内容,则可以使用类型断言来访问值,例如
1 2 3 4 | home, valid := msg["home"].(string) if !valid { return } |
这对于简单的值非常有效。 对于更复杂的嵌套结构,您可能会发现使用
另一个想法可能是定义一个自定义
1 2 3 4 5 6 7 8 9 10 11 12 13 | type Home struct { HomeStuff int MoreHomeStuff string } type Bike struct { BikeStuff int } type Message struct { Bike *Bike `json:"Bike,omitempty"` Home *Home `json:"Home,omitempty"` } |
如果将这些设置为nil则省略,那么解组应该只填充相关的一个。 你可以在这里玩。
- 尝试解组/解码映射值(也称为interface {})时遇到的错误是我需要类型断言,而且我不确定该怎么做。 如果我知道该值实际上是一个homeType结构,如何从接口中获取它,以便可以将其解组为homeType对象?
- 在这种情况下,Id会执行以下play.golang.org/p/hHQlAdcE56这样的操作。 将更新答案
- 为了直接处理您的评论,您将无法在结构体上清晰地键入assert,因为内部对象已作为map [string] interface {}进行了编组,因此您必须逐字段进行选择。 参见play.golang.org/p/WrpLxZH0r-和stackoverflow.com/questions/26744873/converting-map-to-struc t