小编典典

将 time.Time 转换为字符串

go

我正在尝试将我的数据库中的一些值添加到[]stringGo 中。其中一些是时间戳。

我收到错误:

不能使用 U.Created_date (type time.Time) 作为数组元素中的类型字符串

我可以转换time.Timestring吗?

type UsersSession struct {
    Userid int
    Timestamp time.Time
    Created_date time.Time
}

type Users struct {
    Name string
    Email string
    Country string
    Created_date time.Time
    Id int
    Hash string
    IP string
}

——

var usersArray = [][]string{}

rows, err := db.Query("SELECT u.id, u.hash, u.name, u.email, u.country, u.IP, u.created_date, us.timestamp, us.created_date FROM usersSession AS us LEFT JOIN users AS u ON u.id = us.userid WHERE us.timestamp + interval 30 minute >= now()")

U := Users{}
US := UsersSession{}

for rows.Next() {
    err = rows.Scan(&U.Id, &U.Hash, &U.Name, &U.Email, &U.Country, &U.IP, &U.Created_date, &US.Timestamp, &US.Created_date)
    checkErr(err)

    userid_string := strconv.Itoa(U.Id)
    user := []string{userid_string, U.Hash, U.Name, U.Email, U.Country, U.IP, U.Created_date, US.Timestamp, US.Created_date}
    // -------------
    // ^ this is where the error occurs
    // cannot use U.Created_date (type time.Time) as type string in array element (for US.Created_date and US.Timestamp aswell)
    // -------------

    usersArray = append(usersArray, user)
    log.Print("usersArray: ", usersArray)
}

编辑

我添加了以下内容。现在可以用了,谢谢。

userCreatedDate := U.Created_date.Format("2006-01-02 15:04:05")
userSessionCreatedDate := US.Created_date.Format("2006-01-02 15:04:05")
userSessionTimestamp := US.Timestamp.Format("2006-01-02 15:04:05")

阅读 266

收藏
2021-11-15

共1个答案

小编典典

您可以使用该Time.String()方法将 a 转换time.Time为 a string。这使用格式字符串"2006-01-02 15:04:05.999999999 -0700 MST"

如果您需要其他自定义格式,可以使用Time.Format(). 例如,以yyyy-MM-dd HH:mm:ss使用格式字符串的格式获取时间戳"2006-01-02 15:04:05"

例子:

t := time.Now()
fmt.Println(t.String())
fmt.Println(t.Format("2006-01-02 15:04:05"))

输出(在Go Playground上试试):

2009-11-10 23:00:00 +0000 UTC
2009-11-10 23:00:00

注意:Go Playground 上的时间始终设置为上述值。在本地运行它以查看当前日期/时间。

另请注意,使用Time.Format(), 作为布局,string您始终必须传递相同的时间 - 称为参考时间 - 以您希望格式化结果的方式进行格式化。这是记录在Time.Format()

Format 返回根据布局格式化的时间值的文本表示,它通过显示如何定义参考时间来定义格式,定义为

golang Mon Jan 2 15:04:05 -0700 MST 2006

如果是值就会显示;它用作所需输出的示例。然后将相同的显示规则应用于时间值。

2021-11-15