猿问

Golang 中的时间戳

试图在我的应用程序中使用这种时间戳方法:https : //gist.github.com/bsphere/8369aca6dde3e7b4392c#file-timestamp-go


这里是:


package timestamp


import (

    "fmt"

    "labix.org/v2/mgo/bson"

    "strconv"

    "time"

)


type Timestamp time.Time


func (t *Timestamp) MarshalJSON() ([]byte, error) {

    ts := time.Time(*t).Unix()

    stamp := fmt.Sprint(ts)


    return []byte(stamp), nil

}


func (t *Timestamp) UnmarshalJSON(b []byte) error {

    ts, err := strconv.Atoi(string(b))

    if err != nil {

        return err

    }


    *t = Timestamp(time.Unix(int64(ts), 0))


    return nil

}


func (t Timestamp) GetBSON() (interface{}, error) {

    if time.Time(*t).IsZero() {

        return nil, nil

    }


    return time.Time(*t), nil

}


func (t *Timestamp) SetBSON(raw bson.Raw) error {

    var tm time.Time


    if err := raw.Unmarshal(&tm); err != nil {

        return err

    }


    *t = Timestamp(tm)


    return nil

}


func (t *Timestamp) String() string {

    return time.Time(*t).String()

}

以及与之相关的文章:https : //medium.com/coding-and-deploying-in-the-cloud/time-stamps-in-golang-abcaf581b72f


但是,我收到以下错误:


core/timestamp/timestamp.go:31: invalid indirect of t (type Timestamp)                                                                                                                                                     

core/timestamp/timestamp.go:35: invalid indirect of t (type Timestamp)

我的相关代码如下所示:


import (

    "github.com/path/to/timestamp"

)


type User struct {

    Name        string

    Created_at  *timestamp.Timestamp  `bson:"created_at,omitempty" json:"created_at,omitempty"`

谁能看到我做错了什么?


相关问题 我也看不到如何实现这个包。我是否创建了这样的新用户模型?


u := User{Name: "Joe Bloggs", Created_at: timestamp.Timestamp(time.Now())}


呼如林
浏览 169回答 2
2回答

HUX布斯

你的代码有一个错字。您不能取消引用非指针,因此您需要使 GetBSON 成为指针接收器(或者您可以删除指向 的间接对象t,因为 的值t不会被该方法更改)。func (t *Timestamp) GetBSON() (interface{}, error) {要设置*Timestamp内联值,您需要有一个*time.Time要转换的。now := time.Now()u := User{    Name:      "Bob",    CreatedAt: (*Timestamp)(&now),}构造函数和辅助函数就像这样New(),Now()也可能会派上用场。

慕姐8265434

您不能引用不是指针变量的东西的间接引用。var a int = 3         // a = 3var A *int = &a       // A = 0x10436184fmt.Println(*A == a)  // true, both equals 3fmt.Println(*&a == a) // true, both equals 3fmt.Println(*a)       // invalid indirect of a (type int)因此,您不能引用awith的地址*a。查看错误发生的位置:func (t Timestamp) GetBSON() (interface{}, error) {        // t is a variable type Timestamp, not type *Timestamp (pointer)        // so this is not possible at all, unless t is a pointer variable        // and you're trying to dereference it to get the Timestamp value        if time.Time(*t).IsZero() {                return nil, nil        }        // so is this        return time.Time(*t), nil}
随时随地看视频慕课网APP

相关分类

Go
我要回答