I'm attempting to parse a Datetime in revel from a json request. The request looks something like this:
{
"startedAt": "2017-06-01 10:39",
...
}
The struct it's being decoded into looks like this:
type MyStruct struct {
StartedAt time.Time `json:"startedAt" bson:"startedAt"`
...
}
The decode line looks like this:
json.NewDecoder(c.Request.Body).Decode(&MyStruct)
Revel returns this error:
interface conversion: error is *time.ParseError, not *errors.Error
According to revel's documentation here, https://revel.github.io/manual/parameters.html
The SQL standard date time formats of 2006-01-02, 2006-01-02 15:04 are built in.
In the same document, they also say you can append formats like this:
func init() {
revel.TimeFormats = append(revel.TimeFormats, "01/02/2006")
}
To verify the format was in the array, I tried this:
func init() {
revel.TimeFormats = append(revel.TimeFormats, "2016-06-01 12:12")
}
In a final act of desperation I tried submitting it in the same format that revel will return json times in:
{
"startedAt": "2017-06-22T12:22:16.265618819-05:00",
...
}
At this point I'm not sure where to go with this. Has anyone been able to get revel to parse a Datetime?
Update: I tried RickyA's solution below, but now there is a parsing error.
parsing time ""Mon, 02 Jan 2006 15:04:05 -0700"" as "Mon, 02 Jan 2006 15:04:05 -0700": cannot parse ""Mon, 02 Jan 2006 15:04:05 -0700"" as "Mon"
What's even stranger is that I implemented a bit of a hack to get this working in the interrum. I changed the request time field to a string, and gave it a ToX function which converted it. That function works, but when it's moved into the UnmarshalJSON function it fails.
Also, I can't tell if this is a bug or not:
func (t *AnyTime) UnmarshalJSON(b []byte) error {
fmt.Println(time.RFC1123Z)
fmt.Println(string(b))
fmt.Println(reflect.TypeOf(time.RFC1123Z))
fmt.Println(reflect.TypeOf(string(b)))
...
This outputs this:
Mon, 02 Jan 2006 15:04:05 -0700
"Mon, 02 Jan 2006 15:04:05 -0700"
string
string
Notice that only 1 of the string has double quotes. This is leading me to believe that some how the byte array passed to UnmarshalJSON has double quotes within its string.
Final Update: So I'm pretty sure the double quotes are intentional, and in a way it makes sense. The UnmarshalJSON is passing everything from the ':' through the ',' which includes the double quotes. I'm guessing this is done so that it can also support integers and booleans. I don't like the solution, but this is how I fixed it:
func (t *AnyTime) UnmarshalJSON(b []byte) error {
var err error
sTime := string(b)
sTime = strings.TrimSuffix(sTime, "\"")
sTime = strings.TrimPrefix(sTime, "\"")
t.Time, err = time.Parse(time.RFC1123Z, sTime)
...
revel.TimeFormats = append(revel.TimeFormats, "2006-02-01 15:04")
instead: #25845672 – Jodiejodo