模板无法评估类型Y的字段X

时间:2019-09-29 19:50:10

标签: templates go go-templates

在Go中,我遍历查询结果并将结果附加到切片。然后,我尝试以html模板显示数据,但是我不断收到此错误:executing "orders.html" at <.Customer>: can't evaluate field Customer in type []main.Order 这是我的代码:

type Order struct {
    Order_id int
    Customer string
    Date_of_purchase string
}

func OrderPage(w http.ResponseWriter, r *http.Request) {
db := dbConnection()
var (
    order_id int
    customer string
    date_of_p string
    ps []Order
)
rows, err := db.Query("SELECT * FROM orders WHERE customer = 'David'")
if err != nil {
    panic(err.Error())
}
for rows.Next() {
    err = rows.Scan(&order_id, &customer, &date_of_p)
    if err != nil {
        log.Println(err)
        http.Error(w, "there was an error", http.StatusInternalServerError)
        return
    }
    ps = append(ps, Order{Order_id: order_id, Customer: customer, Date_of_purchase: date_of_p})
}
temp, err := template.ParseFiles("templates/orders.html")
if err != nil { 
  log.Print("template parsing error: ", err)
}
err = temp.Execute(w, ps)
if err != nil {
    fmt.Println(err)
}
}

我的html模板如下:

<h1>Hello</h1>
<h3>Your username is {{ .Customer }}</h3>
{{ range . }}
<h2> {{ .Order_id }}</h2>
{{ end }}

我从数据库获取数据,只是无法在html页面上显示。

1 个答案:

答案 0 :(得分:1)

您正在将psmain.Order的一部分)传递到模板。在模板中,.仍然是切片。

您的行<h3>Your username is {{ .Customer }}</h3>试图访问该Customer的成员[]main.Order-它没有。

您可能想从切片的第一个元素获取客户名称,或将结构传递给具有此字段的模板,例如像这样:

type Customer struct {
    Orders []Order
    Username string
}

然后,您需要像这样更改模板:

<h1>Hello</h1>
<h3>Your username is {{ .Username }}</h3>
{{ range .Orders }}
<h2> {{ .Order_id }}</h2>
{{ end }}