在 Go 中序列化混合类型 JSON 数组
在 Go 中,将字符串、浮点数和 unicode 字符的异构数组序列化为由于缺乏对混合类型数组的内置支持,JSON 数组可能看起来具有挑战性。但是,通过实现 json.Marshaler 接口,我们可以自定义对象的序列化方式来实现此目的。
实现 MarshalJSON 方法
将像 Row 这样的结构序列化为数组的数组,我们在 Row 类型上创建一个 MarshalJSON 方法。此方法将 Row 结构体转换为通用接口值数组,然后使用 json.Marshal 序列化它们:
func (r *Row) MarshalJSON() ([]byte, error) { arr := []interface{}{r.Ooid, r.Score, r.Text} return json.Marshal(arr) }
示例用法
中的 MarshalJSON 方法地方,我们可以将 Row 元素的切片序列化为有效的 JSON array:
rows := []Row{{"ooid1", 2.0, "Söme text"}, {"ooid2", 1.3, "Åther text"}} marshalled, _ := json.Marshal(rows) // Output: // {"results": [["ooid1", 2.0, "Söme text"], ["ooid2", 1.3, "Åther text"]]}
从 JSON 解组
如果需要,我们还可以实现 json.Unmarshaler 接口来将 JSON 数据反序列化回 Row 结构。这涉及到使用接口值的中间切片来存储从 JSON 数组中提取的值的类似方法:
func (r *Row) UnmarshalJSON(bs []byte) error { arr := []interface{}{} json.Unmarshal(bs, &arr) // TODO: add error handling here. r.Ooid = arr[0].(string) r.Score = arr[1].(float64) r.Text = arr[2].(string) return nil }
通过实现 json.Marshaler 和 json.Unmarshaler 接口,我们可以有效地序列化和反序列化Go 中的混合类型数组,使我们能够操作具有异构元素的数据结构(如 JSON)。
以上是如何在 Go 中序列化混合类型 JSON 数组?的详细内容。更多信息请关注PHP中文网其他相关文章!