我正在尝试从sqlite查询对象,但由于类型时间而收到此错误:
(sql: Scan error on column index 1: unsupported Scan, storing driver.Value type []uint8 into type *time.Time)
我的结构是:
type Timeline struct {
ID string `json:"id"`
Timestamp *time.Time `json:"timestamp"`
我的数据库是这样的:
CREATE TABLE timelines (id text, timestamp text, ...
其中一个示例行是:
('Locked in VR', '2018-03-17 10:50:59.548+01:00',...
有什么想法吗? 我应该在结构中有一些东西吗?
Timestamp *time.Time `json:"timestamp" gorm:"time"`
我不熟悉 gorm,但不应该定义类型datetime
而不是text
的时间戳吗?另外:当您标记gorm:"time"
列名称时,列名应time
而不是timestamp
,或者标记gorm:"timestamp"
。但是您可以省略 gorm 标签。
为了简单起见,您可以让 gorm 创建表:
db, err := gorm.Open("sqlite3", "test.db")
db.CreateTable(&Timeline{})
使用这个可以处理它:
type Timeline struct {
ID string `json:"id"`
Timestamp *time.Time `json:"timestamp" gorm:"type:datetime"`
}
您甚至可以将Timestamp
字段的声明类型更改为其他类型,例如int64
来表示Unix时代。然后,您可以编写一个扫描程序来将日期时间字段读取到 int64 字段中。
type TimeStampUnix int64
type Timeline struct {
ID string `json:"id"`
TimeStamp TimeStampUnix `json:"timestamp" gorm:"type:datetime"`
}
func (t *TimeStampUnix) Scan(src interface{}) error {
switch src.(type) {
case time.Time:
*t = TimeStampUnix(src.(time.Time).Unix())
return nil
case []byte:
// bonus code to read text field of format '2014-12-31 14:21:01-0400'
//
str := string(src.([]byte))
var y, m, d, hr, min, s, tzh, tzm int
var sign rune
_, e := fmt.Sscanf(str, "%d-%d-%d %d:%d:%d%c%d:%d",
&y, &m, &d, &hr, &min, &s, &sign, &tzh, &tzm)
if e != nil {
return e
}
offset := 60 * (tzh*60 + tzm)
if sign == '-' {
offset = -1 * offset
}
loc := time.FixedZone("local-tz", offset)
t1 := time.Date(y, time.Month(m), d, hr, min, s, 0, loc)
*t = TimeStampUnix(t1.Unix())
return nil
default:
return fmt.Errorf("Value '%s' of incompatible type '%T' found", string(src.([]byte)), src)
}
}