Go JSON 中非 RFC 3339 时间格式的自定义解组
在 Go 中,encoding/json 包严格遵守 RFC 3339,当反序列化时间值。然而,经常会出现数据采用不同时间格式的情况。如果您想避免繁琐的转换,这可能会成为问题。
使用自定义类型
要处理此问题,您可以实现 json.Marshaler 和 json.Unmarshaler 接口在自定义类型上。这允许您定义如何对您的类型进行编组和从 JSON 进行编组。
例如,以下 CustomTime 类型允许您从各种格式中解组时间值:
type CustomTime struct { time.Time } const ctLayout = "2006/01/02|15:04:05" func (ct *CustomTime) UnmarshalJSON(b []byte) (err error) { s := strings.Trim(string(b), "\"") if s == "null" { ct.Time = time.Time{} return } ct.Time, err = time.Parse(ctLayout, s) return } func (ct *CustomTime) MarshalJSON() ([]byte, error) { if ct.Time.IsZero() { return []byte("null"), nil } return []byte(fmt.Sprintf("\"%s\"", ct.Time.Format(ctLayout))), nil } var nilTime = (time.Time{}).UnixNano() func (ct *CustomTime) IsSet() bool { return !ct.IsZero() }
In这种类型:
您可以在 JSON 结构中使用 CustomTime 类型来处理非 RFC 3339 格式的时间值:
type Args struct { Time CustomTime } var data = ` {"Time": "2014/08/01|11:27:18"} ` func main() { a := Args{} fmt.Println(json.Unmarshal([]byte(data), &a)) fmt.Println(a.Time.String()) }
在此示例中,Args 结构体对 Time 字段使用 CustomTime 类型。当使用非 RFC 3339 时间格式反序列化 JSON 数据时,CustomTime 类型将正确处理转换。
以上是如何在 Go JSON 解组中处理非 RFC 3339 时间格式?的详细内容。更多信息请关注PHP中文网其他相关文章!