使用动态数组结构解组 JSON
从第三方源检索 JSON 数据时,数据结构可能会有所不同,有时包含数组和有时不是。在使用 Go 的 json.Unmarshal 函数时,这可能会带来挑战,因为它需要特定的结构来匹配 JSON 结构。
处理此问题的常见方法是创建带有切片的辅助结构,例如:
type ResponseWithSlice struct { Gwrcmds struct { Gwrcmd []struct { // Nested struct now a slice Gcmd string Gdata struct { Gip struct { Version string } } } } }
这是可行的,但它涉及到复制结构,这可能很麻烦。
更通用的解决方案涉及使用 json.RawMessage:
type Response struct { RawGwrcmd json.RawMessage `json:"gwrcmds"` }
通过这种方法,gwrcmds 字段存储为原始 JSON 消息,允许我们查看它并相应地解组它:
func (r *Response) UnmarshalJSON(b []byte) error { if err := json.Unmarshal(b, &r.RawGwrcmd); err != nil { return err } if r.RawGwrcmd[0] == '[' { // Check if it's an array return json.Unmarshal(r.RawGwrcmd, &r.Gwrcmds.Gwrcmd) } return json.Unmarshal(r.RawGwrcmd, &r.Gwrcmds.Gwrcmd) // Otherwise, treat it as a single struct }
此方法允许我们处理数组和非数组结构,而不需要额外的结构。
以上是如何在 Go 中使用动态数组结构高效解组 JSON?的详细内容。更多信息请关注PHP中文网其他相关文章!