小编典典

RFC 3339格式以外的json解组时间

go

在Go中处理不同时间格式的反序列化的合适方法是什么?在仅接受的RFC 3339中,encoding /
json包似乎完全僵化。我可以将其反序列化为字符串,将其转换为RFC 3339,然后再将其取消编组,但我真的不想这样做。有更好的解决方案吗?


阅读 277

收藏
2020-07-02

共1个答案

小编典典

您将必须在自定义类型上实现json.Marshaler/
json.Unmarshaler接口,并改用一个示例

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.UnixNano() == nilTime {
    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.UnixNano() != nilTime
}

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())
}

编辑 :添加CustomTime.IsSet()以检查它是否实际设置,以供将来参考。

2020-07-02