我刚开始学习 Go 语言。我写了以下简单的程序。
在这里,我试图用所有书籍和相关作者填充结构。
Book
struct 已嵌入Author
struct。
package main
import (
"fmt"
"log"
"time"
"github.com/jmoiron/sqlx"
_ "github.com/lib/pq"
)
type Book struct {
ID int
Title string
Year int
Bauther Auther `db:"auther"`
}
type Auther struct {
ID int
Name string
Dob time.Time
}
func main() {
db, err := sqlx.Open("postgres", "host=localhost user=testuser dbname=testdb password=testuser")
if err != nil {
log.Fatal("DB Conn error: ", err)
}
if err = db.Ping(); err != nil {
log.Fatal("DB Ping error: ", err)
}
defer db.Close()
rows, err := db.Queryx("Select b.*, a.name from books b left outer join authers a on a.ID=b.auther;")
if err != nil {
log.Fatal("DB Query error: ", err)
}
defer rows.Close()
var books []*Book
for rows.Next() {
var b = &Book{}
err := rows.StructScan(b)
if err != nil {
log.Fatal("Scan error: ", err)
}
books = append(books, b)
}
// print all books
for _, b := range books {
fmt.Printf("%v", b)
}
}
但是当我运行它时,它给出了以下错误
[samtech@sam sqlxapp]$ go run main.go
2016/02/11 18:45:46 Scan error: missing destination name name
exit status 1
我做错了什么?
我也尝试将Book
结构中的字段标记更改为
Bauther Auther `db:"auther,prefix=auth."`
并将查询更改为
rows, err := db.Queryx("Select b.*, auth.name from books b left outer join authers auth on auth.ID=b.auther;")
但它没有任何改变。
编辑
经过几次尝试和错误,我终于让它工作了。
我必须稍微更改我创建的模型。我将 Book 结构从
type Book struct {
ID int
Title string
Year int
Bauther Auther
}
至
type Book struct {
ID int // Key
Title string
Year int
AutherID int `db:"auther"` // FKey
Auther
}
现在,它工作正常。我做的错误是,我将Bauther
字段添加为Auther
. Sqlx 无法理解。但是当我添加Auther
为匿名嵌入式结构时,问题就解决了。
但它引入了另一个问题:)
由于 ID 字段存在于Book
两个Auther
结构中。现在 ScanStructBook.ID
在所有行中都填充了 0。
我能做些什么来避免它吗?