Go では、JSON データを複雑な構造体にアンマーシャリングするときに、特殊な処理が必要になる場合があります。この記事では、必要な出力形式が構造体のデフォルト表現と異なるシナリオについて説明します。
次の JSON データについて考えてみましょう。
<code class="json">b := []byte(`{"Asks": [[21, 1], [22, 1]] ,"Bids": [[20, 1], [19, 1]]}`)</code>
次の使用struct:
<code class="go">type Message struct { Asks [][]float64 `json:"Bids"` Bids [][]float64 `json:"Asks"` }</code>
次のようにデータをアンマーシャリングできます:
<code class="go">m := new(Message) err := json.Unmarshal(b, &m) if err != nil { // Handle error }</code>
ただし、アンマーシャリングされたデータは次の形式にすることをお勧めします:
<code class="go">type Message struct { Asks []Order `json:"Bids"` Bids []Order `json:"Asks"` } type Order struct { Price float64 Volume float64 }</code>
これを実現するには、Order 構造体に json.Unmarshaler インターフェイスを実装します。
<code class="go">func (o *Order) UnmarshalJSON(data []byte) error { var v [2]float64 if err := json.Unmarshal(data, &v); err != nil { return err } o.Price = v[0] o.Volume = v[1] return nil }</code>
これは、JSON デコーダーに Order を 2 要素の配列として扱うように指示します。
これで、JSON データをアンマーシャリングし、必要に応じて値にアクセスできます。
<code class="go">m := new(Message) err := json.Unmarshal(b, &m) if err != nil { // Handle error } fmt.Println(m.Asks[0].Price)</code>
以上がGo で複雑な JSON データをネストされた構造にアンマーシャリングする方法の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。