当我调用Go模板函数输出HTML时,它会显示ZgotmplZ
。
示例代码:
http://play.golang.org/p/tfuJa_pFkm
package main
import (
"html/template"
"os"
)
func main() {
funcMap := template.FuncMap{
"printSelected": func(s string) string {
if s == "test" {
return `selected="selected"`
}
return ""
},
"safe": func(s string) template.HTML {
return template.HTML(s)
},
}
template.Must(template.New("Template").Funcs(funcMap).Parse(`
<option {{ printSelected "test" }} {{ printSelected "test" | safe }} >test</option>
`)).Execute(os.Stdout, nil)
}
输出:
<option ZgotmplZ ZgotmplZ >test</option>
答案 0 :(得分:21)
“ZgotmplZ”是一个特殊值,表示不安全的内容达到了 运行时的CSS或URL上下文。示例的输出将是:
<img src="#ZgotmplZ">
您可以将安全和attr函数添加到模板funcMap:
package main
import (
"html/template"
"os"
)
func main() {
funcMap := template.FuncMap{
"attr":func(s string) template.HTMLAttr{
return template.HTMLAttr(s)
},
"safe": func(s string) template.HTML {
return template.HTML(s)
},
}
template.Must(template.New("Template").Funcs(funcMap).Parse(`
<option {{ .attr |attr }} >test</option>
{{.html|safe}}
`)).Execute(os.Stdout, map[string]string{"attr":`selected="selected"`,"html":`<option selected="selected">option</option>`})
}
输出如下:
<option selected="selected" >test</option>
<option selected="selected">option</option>
您可能想要定义一些其他可以将字符串转换为template.CSS,template.JS,template.JSStr,template.URL等的函数。
答案 1 :(得分:4)
我遇到<img src="{{myfunction}}">
的类似问题,其中myfunction返回编码图像。
最后我解决了它而不是字符串函数返回template.URL(mystring)
。
答案 2 :(得分:3)
您正试图在模板/ html认为不安全的地方输出HTML(例如,在HTML元素中,如下所示:
<option {{ printSelected }}>
我找不到任何方法来说服它是安全的(包括返回template.HTML而不是字符串);我发现的唯一替代方法是重写模板,在本例中使用bool输出:
<option {{ if printSelected }}selected{{ end }}>
答案 3 :(得分:2)
最简单的方法:
import "html/template"
yourhref = template.URL(yourhref)
答案 4 :(得分:0)
您应该将字符串包装在HTMLAttr
中,该 dir="ltr"
是专为在尖括号之间注入的文本而设计的。根据文件:
https://golang.org/pkg/html/template/#HTMLAttr
HTMLAttr封装来自受信任来源的HTML属性,例如
type HTMLAttr string
。使用此类型会带来安全风险:封装内容应来自可靠来源,因为它将逐字包含在模板输出中。
reduce
答案 5 :(得分:0)
package main
import (
"html/template"
"os"
)
type T struct {
HTML template.HTML
ATTR template.HTMLAttr
URL template.URL
JS template.JS
CSS template.CSS
}
func main() {
data := T{
HTML: `<div>test div</div>`,
ATTR: `selected="selected"`,
URL: `https://upload.wikimedia.org/wikipedia/commons/5/53/Google_%22G%22_Logo.svg`,
CSS: `font-size: 15px`,
JS: `console.log("hello world")`,
}
template.Must(template.New("Template").Parse(`
{{.HTML}}
<option {{.ATTR}} style="{{.CSS}}">test</option>
<script>{{.JS}}</script>
<img src="{{.URL}}">
`)).Execute(os.Stdout, data)
}
输出
<div>test div</div>
<option selected="selected" style="font-size: 15px">test</option>
<script>console.log("hello world")</script>
<img src="https://upload.wikimedia.org/wikipedia/commons/5/53/Google_%22G%22_Logo.svg">