使用嵌套结构解组 JSON
处理复杂的 JSON 响应时,有时您可能会遇到诸如“无法将字符串解组到 Go 结构字段”之类的错误”。当 JSON 响应包含表示另一个 JSON 结构的字符串值时,通常会发生这种情况。
考虑这个不完整的 Go struct ManifestResponse 和相应的 JSON 响应:
type ManifestResponse struct { Name string `json:"name"` Tag string `json:"tag"` Architecture string `json:"architecture"` FsLayers []struct { BlobSum string `json:"blobSum"` } `json:"fsLayers"` History []struct { V1Compatibility struct { ID string `json:"id"` Parent string `json:"parent"` Created string `json:"created"` } `json:"v1Compatibility"` } `json:"history"` }
{ "name": "library/redis", "tag": "latest", "architecture": "amd64", "history": [ { "v1Compatibility": "{\"id\":\"ef8a93741134ad37c834c32836aefbd455ad4aa4d1b6a6402e4186dfc1feeb88\",\"parent\":\"9c8b347e3807201285053a5413109b4235cca7d0b35e7e6b36554995cfd59820\",\"created\":\"2017-10-10T02:53:19.011435683Z\"}" } ] }
当尝试将 JSON 解组到 Go 结构中,您可能会遇到以下错误:
json: cannot unmarshal string into Go struct field .v1Compatibility of type struct { ID string "json:\"id\""; Parent string "json:\"parent\""; Created string "json:\"created\"" }
问题源于事实上,JSON 响应中的 v1Compatibility 是包含 JSON 内容的字符串值。为了解决这个问题,我们可以实现两遍解组:
type ManifestResponse struct { Name string `json:"name"` Tag string `json:"tag"` Architecture string `json:"architecture"` FsLayers []struct { BlobSum string `json:"blobSum"` } `json:"fsLayers"` History []struct { V1CompatibilityRaw string `json:"v1Compatibility"` V1Compatibility V1Compatibility } `json:"history"` } type V1Compatibility struct { ID string `json:"id"` Parent string `json:"parent"` Created string `json:"created"` }
然后执行以下解组过程:
var jsonManResp ManifestResponse if err := json.Unmarshal([]byte(exemplar), &jsonManResp); err != nil { log.Fatal(err) } for i := range jsonManResp.History { var comp V1Compatibility if err := json.Unmarshal([]byte(jsonManResp.History[i].V1CompatibilityRaw), &comp); err != nil { log.Fatal(err) } jsonManResp.History[i].V1Compatibility = comp }
此方法允许您使用两个处理嵌套 JSON 结构-步骤解组过程,防止“无法将字符串解组到 Go 结构字段”错误。
以上是如何处理嵌套 JSON 结构并避免'无法将字符串解组到 Go 结构字段”错误?的详细内容。更多信息请关注PHP中文网其他相关文章!