在 Go 中,解组涉及将 JSON 数据转换为 Go 数据结构。虽然解组的基本原理很简单,但特定场景(例如填充地图)可能需要自定义处理。
遇到的常见问题是尝试解组映射到 Go 结构体中。考虑以下示例:
<code class="go">type OHLC_RESS struct { Pair map[string][]Candles Last int64 `json:"last"` } // Candles represents individual candlesticks within the map. type Candles struct { // ... Time, Open, High, Low, Close, VWAP, Volume, Count fields omitted }</code>
尝试使用上述结构解组 JSON 数据时,Last 字段已成功填充,但 Pair 映射仍为空。
Go 中默认的解组过程使用字段名称和标签来匹配 JSON 键。但是,在这种情况下,Pair 映射需要自定义处理,因为其键名称事先未知。为此,请为 OHLC_RESS 结构实现 json.Unmarshaler 接口:
<code class="go">func (r *OHLC_RESS) UnmarshalJSON(d []byte) error { // Decode only the object's keys and leave values as raw JSON. var obj map[string]json.RawMessage if err := json.Unmarshal(d, &obj); err != nil { return err } // Decode the "last" element into the Last field. if last, ok := obj["last"]; ok { if err := json.Unmarshal(last, &r.Last); err != nil { return err } delete(obj, "last") } // Decode the remaining elements into the Pair map. r.Pair = make(map[string][]Candles, len(obj)) for key, val := range obj { cc := []Candles{} if err := json.Unmarshal(val, &cc); err != nil { return err } r.Pair[key] = cc } return nil }</code>
此自定义解组函数将解码过程分为多个步骤。它首先解码对象的键,然后单独处理“最后”元素,最后将剩余元素解码到 Pair 映射中。这种方法可以控制解码过程,并允许自定义处理特定字段,例如配对映射。
以上是如何使用自定义处理将 JSON 映射解组为 Go 结构?的详细内容。更多信息请关注PHP中文网其他相关文章!