我正在尝试将数据库中的一些值添加到[]stringGo中。其中一些是时间戳。
[]string
我得到错误:
不能在数组元素中使用U.Created_date(类型time.Time)作为类型字符串
我可以转换time.Time成string吗?
time.Time
string
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")
您可以使用Time.String()方法将转换time.Time为string。这使用格式字符串"2006-01-02 15:04:05.999999999 -0700 MST"。
Time.String()
"2006-01-02 15:04:05.999999999 -0700 MST"
如果您需要其他自定义格式,则可以使用Time.Format()。例如,yyyy- MM-dd HH:mm:ss使用格式字符串获取时间戳的格式"2006-01-02 15:04:05"。
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返回根据布局格式化的时间值的文本表示形式,它通过显示参考时间如何定义来定义格式。 Mon Jan 2 15:04:05 -0700 MST 2006 如果是该值将显示;它作为所需输出的示例。然后,将相同的显示规则应用于时间值。
Format返回根据布局格式化的时间值的文本表示形式,它通过显示参考时间如何定义来定义格式。
Mon Jan 2 15:04:05 -0700 MST 2006
如果是该值将显示;它作为所需输出的示例。然后,将相同的显示规则应用于时间值。