这个看似简单,但它让我疯了。
如何在golang模板的嵌套范围内引用范围更高的struct元素?
示例:
type Foo struct {
Id string
Name string
}
type Bar struct {
Id string
Name string
}
var foos []Foo
var bars []Bar
// logic to populate both foos and bars
在模板中:
{{range .foos}}
<div>Foo {{.Name}}</div>
<div>
{{range ..bars}}
<div>Bar {{.Name}} <input type="text" name="ids_{{..Id}}_{{.Id}}" /></div>
{{end}}
</div>
{{end}}
显然..bars和..Id不起作用,但希望我的意图很明确。我想遍历Foo和Bar的所有组合,并生成一个表单元素,其名称由Foo的Id和Bar的ID构建。
问题是似乎不可能:
通过在两个结构中放置一堆冗余字段,我有一个临时的解决方法,但这对我来说似乎非常难看,违反了DRY,并且总体上感觉非常错误。
golang模板有什么方法可以做我想做的事情吗?
答案 0 :(得分:24)
是。我觉得好像不找到解决方案来自于不仔细阅读text/template
包。如果您使用html/template
,则语法相同(并且它们会告诉您阅读文本/模板;))。这是一个完整的工作解决方案,可以满足您的需求。
Go file:
package main
import (
"bytes"
"io/ioutil"
"os"
"strconv"
"text/template"
)
type Foo struct {
Id string
Name string
}
type Bar struct {
Id string
Name string
}
var foos []Foo
var bars []Bar
func main() {
foos = make([]Foo, 10)
bars = make([]Bar, 10)
for i := 0; i < 10; i++ {
foos[i] = Foo{strconv.Itoa(i), strconv.Itoa(i)} // just random strings
bars[i] = Bar{strconv.Itoa(10 * i), strconv.Itoa(10 * i)}
}
tmpl, err := ioutil.ReadFile("so.tmpl")
if err != nil {
panic(err)
}
buffer := bytes.NewBuffer(make([]byte, 0, len(tmpl)))
output := template.Must(template.New("FUBAR").Parse(string(tmpl)))
output.Execute(buffer, struct {
FooSlice []Foo
BarSlice []Bar
}{
FooSlice: foos,
BarSlice: bars,
})
outfile, err := os.Create("output.html")
if err != nil {
panic(err)
}
defer outfile.Close()
outfile.Write(buffer.Bytes())
}
注意:您可以做一些事情来不将文件加载到中间缓冲区(使用ParseFiles
),我只是复制并粘贴了我为其中一个项目编写的代码。
模板文件:
{{ $foos := .FooSlice }}
{{ $bars := .BarSlice }}
{{range $foo := $foos }}
<div>Foo {{$foo.Name}}</div>
<div>
{{range $bar := $bars}}
<div>Bar {{$bar.Name}} <input type="text" name="ids_{{$foo.Id}}_{{$bar.Id}}" /></div>
{{end}}
</div>
{{end}}
这个故事的两个道德是
a)明智地使用模板中的变量,它们是有益的
b)模板中的范围也可以设置变量,您不需要完全依赖$
或.