Go 模板:一起使用嵌套结构的字段和 {{range}} 标签
Go Template : Use nested struct's field and {{range}} tag together
我有以下嵌套结构,我想在模板中的 {{range .Foos}}
标记中迭代它们。
type Foo struct {
Field1, Field2 string
}
type NestedStruct struct {
NestedStructID string
Foos []Foo
}
我正在尝试使用以下 html/template,但它无法从 NestedStruct
访问 NestedStructID
。
{{range .Foos}} { source: '{{.Field1}}', target: '{{.NestedStructID}}' }{{end}}
golang 模板有什么办法可以做我想做的事吗?
您无法像那样访问 NestedStructID
字段,因为 {{range}}
操作将每次迭代中的管道(点 .
)设置为当前元素。
您可以使用 $
设置为传递给 Template.Execute()
的数据参数;所以如果你传递一个 NestedStruct
的值,你可以使用 $.NestedStructID
.
例如:
func main() {
t := template.Must(template.New("").Parse(x))
ns := NestedStruct{
NestedStructID: "nsid",
Foos: []Foo{
{"f1-1", "f2-1"},
{"f1-2", "f2-2"},
},
}
fmt.Println(t.Execute(os.Stdout, ns))
}
const x = `{{range .Foos}}{ source: '{{.Field1}}', target: '{{$.NestedStructID}}' }
{{end}}`
输出(在 Go Playground 上尝试):
{ source: 'f1-1', target: 'nsid' }
{ source: 'f1-2', target: 'nsid' }
<nil>
这记录在 text/template
:
When execution begins, $ is set to the data argument passed to Execute, that is, to the starting value of dot.
我有以下嵌套结构,我想在模板中的 {{range .Foos}}
标记中迭代它们。
type Foo struct {
Field1, Field2 string
}
type NestedStruct struct {
NestedStructID string
Foos []Foo
}
我正在尝试使用以下 html/template,但它无法从 NestedStruct
访问 NestedStructID
。
{{range .Foos}} { source: '{{.Field1}}', target: '{{.NestedStructID}}' }{{end}}
golang 模板有什么办法可以做我想做的事吗?
您无法像那样访问 NestedStructID
字段,因为 {{range}}
操作将每次迭代中的管道(点 .
)设置为当前元素。
您可以使用 $
设置为传递给 Template.Execute()
的数据参数;所以如果你传递一个 NestedStruct
的值,你可以使用 $.NestedStructID
.
例如:
func main() {
t := template.Must(template.New("").Parse(x))
ns := NestedStruct{
NestedStructID: "nsid",
Foos: []Foo{
{"f1-1", "f2-1"},
{"f1-2", "f2-2"},
},
}
fmt.Println(t.Execute(os.Stdout, ns))
}
const x = `{{range .Foos}}{ source: '{{.Field1}}', target: '{{$.NestedStructID}}' }
{{end}}`
输出(在 Go Playground 上尝试):
{ source: 'f1-1', target: 'nsid' }
{ source: 'f1-2', target: 'nsid' }
<nil>
这记录在 text/template
:
When execution begins, $ is set to the data argument passed to Execute, that is, to the starting value of dot.