在结构中的数组字段中转义 HTML

Escape HTML in array field in struct

当结构中有数组字段时,如何转义 HTML?

对于单个显示页面,此代码有效:

show.go:

err := ShowTmpl.ExecuteTemplate(w, "show.html", struct {
        Title    string
        SafeBody template.HTML
}{
    t.Title,
    template.HTML(t.BodyHTML),
})

对于索引页:

index.go

type as struct {
        Articles []*Article
    }
var a as

// some code to give a.Articles its values

err := IndexTmpl.ExecuteTemplate(w, "index.html", a)
if err != nil {
    http.Error(w, err.Error(), http.StatusInternalServerError)
}

index.html:

{{with .Articles}}
  {{range .}}
    <a href="/">{{.Title}}</a>
    {{.BodyHTML | html}} // Doesn't work
  {{end}}
{{end}}

当我在结构字段上进行测距时,如何转义 HTML?

您可以通过多种方式实现此目的:

1。使用自定义函数

您可以使用自定义函数。 Template.Funcs() 方法允许您注册任何可以从模板调用的自定义函数。

创建一个将 string 转换为 template.HTML 的简单函数,如下所示:

func ToHtml(s string) template.HTML {
    return template.HTML(s)
}

您可以这样注册:

t := template.Must(template.New("index.html").
    Funcs(map[string]interface{}{"ToHtml": ToHtml}).Parse(indexHtml))

出于演示目的,indexHtml 是您模板的 string

const indexHtml = `{{with .}}
  {{range .}}
    <a href="/">{{.Title}}</a>
    {{ToHtml .BodyHTML}}
  {{end}}
{{end}}
`

您可以像这样从模板中引用和调用它:

{{ToHtml .BodyHTML}}

使用参数调用此模板:

a := []struct {
    Title    string
    BodyHTML string
}{{"I'm the title", "I'm some <b>HTML</b> code!"}}

err := t.ExecuteTemplate(os.Stdout, "index.html", a)

这是 Go Playground 上完整的工作示例。

2。修改 Article

如果可以的话,将 Article.BodyHTML 的类型更改为 template.HTML 会更容易,然后它会被渲染为未转义的,不用多说。这也将使意图明确(它 should/does 包含安全的 HTML 将被渲染为未转义)。

3。向 Article

添加方法

您还可以向 Article 类型添加一个方法,该方法将 return 其 BodyHTML 字段作为 template.HTML(与自定义函数在命题中所做的差不多) #1):

func (a *Article) SafeBody() template.HTML {
    return template.HTML(a.BodyHTML)
}

有了这个方法,您可以简单地从模板中调用它:

  {{range .}}
    <a href="/">{{.Title}}</a>
    {{.SafeBody}}
  {{end}}

Go Playground 上试试这个变体。