猿问

如何在 Golang 的 Google Datastore 中忽略结构中的零值?

我正在尝试使用 Google Datastore 通过 Go 存储数据。由于EndDate是可选字段,并且不想在该字段中存储零值。如果我为时间字段设置指针,Google Datastore 将发送错误消息 -datastore: unsupported struct field type: *time.Time


如何忽略结构中的零值字段?


type Event struct {

    StartDate time.Time `datastore:"start_date,noindex" json:"startDate"`

    EndDate   time.Time `datastore:"end_date,noindex" json:"endDate"`

}


回首忆惘然
浏览 155回答 2
2回答

跃然一笑

默认保存机制不处理可选字段。一个字段要么一直保存,要么从不保存。没有“仅在其价值不等于某物时才保存”之类的东西。“可选保存的属性”被视为自定义行为、自定义保存机制,因此必须手动实现。Go 的方法是PropertyLoadSaver在你的结构上实现接口。在这里,我提出了 2 种不同的方法来实现这一目标:手动保存字段这是一个如何通过手动保存字段(并排除EndDate它是否为零值)来执行此操作的示例:type Event struct {&nbsp; &nbsp; StartDate time.Time `datastore:"start_date,noindex" json:"startDate"`&nbsp; &nbsp; EndDate&nbsp; &nbsp;time.Time `datastore:"end_date,noindex" json:"endDate"`}func (e *Event) Save(c chan<- datastore.Property) error {&nbsp; &nbsp; defer close(c)&nbsp; &nbsp; // Always save StartDate:&nbsp; &nbsp; c <- datastore.Property{Name:"start_date", Value:e.StartDate, NoIndex: true}&nbsp; &nbsp; // Only save EndDate if not zero value:&nbsp; &nbsp; if !e.EndDate.IsZero() {&nbsp; &nbsp; &nbsp; &nbsp; c <- datastore.Property{Name:"end_date", Value:e.EndDate, NoIndex: true}&nbsp; &nbsp; }&nbsp; &nbsp; return nil}func (e *Event) Load(c chan<- datastore.Property) error {&nbsp; &nbsp; // No change required in loading, call default implementation:&nbsp; &nbsp; return datastore.LoadStruct(e, c)}与另一个结构这是使用另一个结构的另一种方法。在Load()实施永远是一样的,唯一的Save()不同:func (e *Event) Save(c chan<- datastore.Property) error {&nbsp; &nbsp; if !e.EndDate.IsZero() {&nbsp; &nbsp; &nbsp; &nbsp; // If EndDate is not zero, save as usual:&nbsp; &nbsp; &nbsp; &nbsp; return datastore.SaveStruct(e, c)&nbsp; &nbsp; }&nbsp; &nbsp; // Else we need a struct without the EndDate field:&nbsp; &nbsp; s := struct{ StartDate time.Time `datastore:"start_date,noindex"` }{e.StartDate}&nbsp; &nbsp; // Which now can be saved using the default saving mechanism:&nbsp; &nbsp; return datastore.SaveStruct(&s, c)}

繁星点点滴滴

在字段标签中使用省略。来自文档:https&nbsp;:&nbsp;//golang.org/pkg/encoding/json/结构值编码为 JSON 对象。每个导出的结构字段都成为对象的成员,除非该字段的标签是“-”,或该字段为空,其标签指定了“omitempty”选项。字段整数&nbsp;json:"myName,omitempty"
随时随地看视频慕课网APP

相关分类

Go
我要回答