我正在尝试使用Go中的html/template
嵌入模板。我非常喜欢无逻辑模板设计,并且我对它能够安全地按预期方式逃脱某些东西(有时其他模板库会出错)充满信心。
但是,在尝试实现一个小助手以基于“最终”模板名称在HTTP处理程序中呈现我的模板时,我遇到了一些问题。我的base.tmpl实际上是所有页面上的“标准”,如果不是,我可以在base.tmpl中设置{{ template checkoutJS }}
,并通过设置{{ define checkoutJS }}https://path.to/extra.js {{ end }}
来添加每页JS。
我希望能够在HTTP处理程序中说出renderTemplate(w, "template_name.tmpl", data)
,其中data
是一个map [string] interface {},其中包含我要填写的字符串或结构。
到目前为止的代码如下:
base.tmpl
{{ define "base" }}
<!DOCTYPE html>
<html lang="en">
<head>
<title>{{ template "title" . }}</title>
</head>
<body>
<div id="sidebar">
...
</div>
{{ template "content" }}
<div id="footer">
...
</div>
</body>
</html>
create_listing.tmpl
{{ define "title" }}Create a New Listing{{ end }}
{{ define "content" }}
<form>
...
</form>
{{ end }}
login_form.tmpl
{{ define "title" }}Login{{ end }}
{{ define "content" }}
<form>
...
</form>
{{ end }}
main.go
package main
import (
"fmt"
"github.com/gorilla/mux"
"html/template"
"log"
"net/http"
)
// Template handling shortcuts
var t = template.New("base")
func renderTemplate(w http.ResponseWriter, tmpl string, data map[string]interface{}) {
err := t.ExecuteTemplate(w, tmpl, data)
// Things will be more elegant than this: just a placeholder for now!
if err != nil {
http.Error(w, "error 500:"+" "+err.Error(), http.StatusInternalServerError)
}
}
func monitorLoginForm(w http.ResponseWriter, r *http.Request) {
// Capture forms, etc.
renderTemplate(w, "login_form.tmpl", nil)
}
func createListingForm(w http.ResponseWriter, r *http.Request) {
// Grab session, re-populate form if need be, generate CSRF token, etc
renderTemplate(w, "create_listing.tmpl", nil)
}
func main() {
r := mux.NewRouter()
r.HandleFunc("/monitor/login", monitorLoginForm)
http.Handle("/", r)
log.Fatal(http.ListenAndServe(":8000", nil))
}
func init() {
fmt.Println("Starting up.")
_, err := t.ParseGlob("templates/*.tmpl")
if err != nil {
log.Fatal("Error loading templates:" + err.Error())
}
}
这样可以编译,但是我从处理程序中得到一个空响应。请注意,我没有第二个处理程序的路由:该代码仅用于显示我如何从处理程序中调用
renderTemplate()
。 最佳答案
您无法使用当前的go模板包执行所需的操作。模板没有继承,因此没有模板中的命名块。代替定义基本模板,更常见的是定义页眉和页脚模板。然后,在页面模板中,显式地包括您希望它们进入的模板。
我认为,另一种解决方案是采用两阶段模板阶段。第一种是为基本模板的所有块编译模板。这些被添加到 map 中,然后发送到基本模板以包含在内。
关于go - 转到-html/template,template.ParseGlob()和代码重用,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/19373586/