使用带有postgresql的sqlx时出错:"缺少目标名称rec_created_by"
type Client struct {
ClientID string `json:"client_id" db:"id"`
Name string `json:"name" db:"name"`
Version int16 `json:"version" db:"version"`
IsActivated bool `json:"is_activated" db:"is_activated"`
RecCreatedBy string `json:"rec_created_by" db:"rec_created_by"`
RecCreatedByUser *User `json:"rec_created_by_user" db:"-"`
RecCreated *time.Time `json:"rec_created" db:"rec_created"`
RecModifiedBy string `json:"rec_modified_by" db:"rec_modified_by"`
RecModifiedByUser *User `json:"rec_modified_by_user" db:"-"`
RecModified *time.Time `json:"rec_modified" db:"rec_modified"`
CultureID string `json:"culture_id" db:"culture_id"`
...
}
func (c *Client) Get(id string) error {
db, err := sqlx.Connect(settings.Settings.Database.DriverName, settings.Settings.GetDbConn())
if err != nil {
log.Fatal(err)
}
defer db.Close()
_client := Client{}
err = db.QueryRowx("SELECT id, name, version, is_activated, rec_created_by, rec_created, rec_modified_by, rec_modified, culture_id, amount_decimal_places, amount_rounding_precision, \"unit-amount_decimal_places\", \"unit-amount_rounding_precision\", currency_lcy_id FROM client WHERE id=$1", id).StructScan(&_client)
if err == sql.ErrNoRows {
return ErrClientNotFound
} else if err != nil {
return err
}
return nil
}
我的客户端类型中有db:"rec_created_by"
,但为什么会出错。
答案 0 :(得分:2)
对于那些遇到类似问题的人,以下是一些可能的原因。
必须导出结构字段才能由 sqlx 进行编组和解组。
type foo struct {
bar string `db:"bar"` // This wont work. 'bar' needs to be 'Bar'
}
是的。我已经完成了所有这些。
type Foo struct {
bar string `db="bar"` // Should be : not =
}
type Foo struct {
bar string `json:"bar", db:"bar"` // There should not be a comma
}
type foo struct {
BarName string `db:"bar_name"`
}
myfoo := foo{}
db.Get(&myfoo, `SELECT barname FROM foo_table WHERE barname = 'bar string'`)
// This will fail because the returned column is missing the '_'
type foo struct {
Bar string `db:"Bar"`
}
myfoo := foo{}
db.Get(&myfoo, `SELECT Bar FROM foo_table WHERE Bar = 'bar string'`)
// This will fail because the returned column is actually 'bar'.
Postgres 区分大小写。所以 Bar
和 bar
不一样。
您可以使用大写标识符,但它们必须用双引号括起来。
myfoo := foo{}
db.Get(&myfoo, `SELECT "Bar" FROM foo_table WHERE "Bar" = 'bar string'`)
当然,如果您使用...创建表格
CREATE TABLE foo_table
(
Bar TEXT NOT NULL
)
好吧……该列实际上将被命名为 bar
。这是因为 Postgres 会将所有未加引号的标识符转换为小写。
您可以通过以下任一方式解决此问题
我们可以通过这样编写查询来解决上述问题...
type foo struct {
Bar string `db:"FooBar"`
}
myfoo := foo{}
db.Get(&myfoo, `SELECT bar as "FooBar" FROM foo_table WHERE bar = 'bar string'`)
// This will work because we have renamed the returned column to "FooBar".