我使用time.Duration
在结构中存储数据,如下所示:
type ApiAccessToken struct {
...
ExpiredIn *time.Duration `bson:"expired_in,omitempty" json:"expired_in,omitempty"`
...
}
我用这样的常量设置它:
...
const ApiAccessTokenDefaultExpiresIn = 7 * 24 * time.Hour
...
d := ApiAccessTokenDefaultExpiresIn
data := &ApiAccessToken{
...
ExpiredIn: &d
...
}
...
然后我使用mgo
将数据插入数据库。
我在创建data
实例之后和插入数据之前进行了检查,ExpiredIn
的值是604' 800' 000' 000但在MongoDB中它变成了604' 800� 000(或NumberLong(604800000)
)。
知道为什么吗?谢谢!
答案 0 :(得分:1)
我们通常会为特定类型编写自定义MarshalJSON / UnmarshalJSON,以控制编组/解编之前/之后其值的变化。
type ExpiredIn struct {
time.Duration
}
func (e *ExpiredIn) MarshalJSON() ([]byte, error) {
return []byte(string(e.Nanoseconds())), nil
}
func (e *ExpiredIn) UnmarshalJSON(data []byte) error {
i, _ := strconv.ParseInt(string(data[:])), 10, 64)
e.Duration = time.Duration(i)
return nil
}
这是测试代码:
package main
import (
"log"
"time"
"gopkg.in/mgo.v2"
)
type Token struct {
ExpiredIn time.Duration
}
type ExpiredIn struct {
time.Duration
}
func (e *ExpiredIn) MarshalJSON() ([]byte, error) {
return []byte(string(e.Nanoseconds())), nil
}
func main() {
session, err := mgo.Dial("mongodb://localhost:27017/test")
if err != nil {
panic(err)
}
defer session.Close()
// Optional. Switch the session to a monotonic behavior.
session.SetMode(mgo.Monotonic, true)
c := session.DB("test").C("tokens")
err = c.Insert(&Recipe{7 * 24 * time.Hour})
if err != nil {
log.Fatal(err)
}
}
你已经完成了!
答案 1 :(得分:-2)