我有一个关于在Go中解码任意JSON对象/消息的问题。让我们说例如你有三个截然不同的JSON对象(也就是消息)你可以在http连接上接收,为了说明我们可以调用它们:
{ home : { some unique set of arrays, objects, fields, and arrays objects } }
和
{ bike : { some unique set of arrays, objects, fields, and arrays objects } }
和
{ soda : { some unique set of arrays, objects, fields, and arrays objects } }
我在想的是你可以解码这些,从http连接到接口地图,例如:
func httpServerHandler(w http.ResponseWriter, r *http.Request) {
message := make(map[string]interface{})
decoder := json.NewDecoder(r.Body)
_ = decoder.Decode(&message)
然后执行if,否则if if查找有效的JSON消息
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块中,如果我重新解码整个包,我可以使它工作,但我认为这有点浪费,因为我已经对其进行了部分解码,并且只需要解码地图的值这是一个接口{},但我似乎无法让它正常工作。
重新编码整个东西但是,如果我执行类似以下的操作,例如homeType是一个结构:
var homeObject homeType
var bikeObject bikeType
var sodaObject sodaType
然后在if块中执行:
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)
}
因此,如果不再重新解码/解组整个事物,您如何使用地图中的界面{}?
答案 0 :(得分:2)
如果您有类似map [string] interface {}的内容,那么您可以使用类型断言来访问这些值,例如
home, valid := msg["home"].(string)
if !valid {
return
}
这适用于简单的值。对于更复杂的嵌套结构,您可能会发现使用json.RawMessage
进行延迟解码或实现自定义json.Unmarshaler
更容易。有关详细讨论,请参阅this。
另一个想法可能是定义一个自定义Message
类型,其中包含指向Home,Bike和Soda结构的指针。如
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那么解组只应填充相关的那个。你可以玩它here。