克服 Golang XML Unmarshal 中的日期格式差异与 time.Time
通过 REST API 检索 XML 数据 spesso 在尝试解组时提出了挑战将数据转换为 Golang 结构体。当 API 返回的日期格式与默认的 time.Time 解析格式不一致时,会出现一个常见问题,从而导致解组失败。
在这种情况下,人们很容易求助于使用字符串来表示时间日期时间字段,但最好维护正确定义的类型。为了解决这个问题,该问题探讨了在解组到 time.Time 字段时是否有一种方法可以指定自定义日期格式。
使用 xml.UnmarshalXML 进行自定义解组
标准库的xml编码包通过xml.Unmarshaler接口提供了解决方案。然而,time.Time 并没有实现这个接口,导致我们无法指定自定义日期格式。
为了克服这个限制,我们可以定义一个新的自定义结构体类型来包装 time.Time 字段并实现我们自己的UnmarshalXML 方法。此方法将使用我们所需的格式解析 XML 日期字符串,并相应地设置底层 time.Time 值。
示例实现
type Transaction struct { //... DateEntered customTime `xml:"enterdate"` // Use our custom type that implements UnmarshalXML //... } type customTime struct { time.Time } func (c *customTime) UnmarshalXML(d *xml.Decoder, start xml.StartElement) error { const shortForm = "20060102" // yyyymmdd date format var v string d.DecodeElement(&v, &start) parse, err := time.Parse(shortForm, v) if err != nil { return err } *c = customTime{parse} return nil }
通过利用此自定义 UnmarshalXML方法,我们可以有效地指定我们自己的日期格式,并确保在解组 XML 时正确填充 time.Time 字段data.
附加说明
以上是在 Golang 中将 XML 解组到“time.Time”字段时如何指定自定义日期格式?的详细内容。更多信息请关注PHP中文网其他相关文章!