How to format timestamp in outgoing JSON
What you can do is, wrap time.Time as your own custom type, and make it implement the Marshaler
interface:
type Marshaler interface {
MarshalJSON() ([]byte, error)
}
So what you'd do is something like:
type JSONTime time.Time
func (t JSONTime)MarshalJSON() ([]byte, error) {
//do your serializing here
stamp := fmt.Sprintf("\"%s\"", time.Time(t).Format("Mon Jan _2"))
return []byte(stamp), nil
}
and make document:
type Document struct {
Name string
Content string
Stamp JSONTime
Author string
}
and have your intialization look like:
testDoc := model.Document{"Meeting Notes", "These are some notes", JSONTime(time.Now()), "Bacon"}
And that's about it. If you want unmarshaling, there is the Unmarshaler
interface too.
I would NOT use:
type JSONTime time.Time
I would use it only for primitives (string, int, ...). In case of time.Time
which is a struct, I would need to cast it every time I want to use any time.Time
method.
I would do this instead (embedding):
type JSONTime struct {
time.Time
}
func (t JSONTime)MarshalJSON() ([]byte, error) {
//do your serializing here
stamp := fmt.Sprintf("\"%s\"", t.Format("Mon Jan _2"))
return []byte(stamp), nil
}
No need to cast t
to time. The only difference is that new instance is NOT created by JSONTime(time.Now())
but by JSONTime{time.Now()}
Perhaps another way will be interesting for someone. I wanted to avoid using alias type for Time.
type Document struct {
Name string
Content string
Stamp time.Time
Author string
}
func (d *Document) MarshalJSON() ([]byte, error) {
type Alias Document
return json.Marshal(&struct {
*Alias
Stamp string `json:"stamp"`
}{
Alias: (*Alias)(d),
Stamp: d.Stamp.Format("Mon Jan _2"),
})
}
Source: http://choly.ca/post/go-json-marshalling/