Docker API の /manifests エンドポイント (v2 スキーマ 1) からの JSON 応答を処理するコンテキストでは、 Go 構造体に逆シリアル化しようとしているときにエラーが発生しました。エラー「json: 文字列を Go 構造体フィールドにアンマーシャリングできません。v1Compatibility of type struct { ID string "json:"id""; Parent string "json:"parent""; Created string "json:"created"" }」は、問題のフィールドが、提供された JSON データとは異なる型であると予想されることを示します。
次のコード スニペットは、問題のある部分を表しています。セクション:
type ManifestResponse struct { // ... other fields History []struct { V1Compatibility struct { ID string `json:"id"` Parent string `json:"parent"` Created string `json:"created"` } `json:"v1Compatibility"` } `json:"history"` } // ... if err = json.NewDecoder(res.Body).Decode(&jsonManResp); err != nil { log.Fatal(err) }
この問題は、フィールド V1Compatibility が JSON 応答内の文字列であるために発生します。ただし、Golang は、それが V1Compatibility 型の構造体であることを想定しています。これを解決するには、2 パスのアンマーシャリング アプローチが必要です。
以下の修正されたコードは、回避策を示しています。
type ManifestResponse struct { // ... other fields 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 }
このソリューションでは、文字列値に対応するために V1CompatibilityRaw フィールドが導入されています。 JSON 応答から。アンマーシャリングの 2 回目のパスでは、V1Compatibility フィールドに実際の構造体データが設定されます。
このアプローチにより、JSON 応答を目的の Go 構造体に正常に逆シリアル化できます。
以上がGo 構造体が JSON 文字列をネストされた構造体フィールドにアンマーシャリングできないのはなぜですか? 2 パス アンマーシャリング アプローチを使用してこれを修正するにはどうすればよいですか?の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。