您如何计算go的html模板中的内容?
例如:
{{ $length := len . }}
<p>The last index of this map is: {{ $length -1 }} </p>
.
是一张地图。
代码{{ $length -1 }}
无法正常工作,有没有办法实现?
答案 0 :(得分:2)
不能。模板不是脚本语言。按照设计哲学,复杂的逻辑应该在模板之外。
要么将计算结果作为参数传递(首选/最简单),要么注册可在模板执行期间调用的自定义函数,将值传递给它们,并可以执行计算并返回任何值(例如,返回param - 1
)。
有关注册和使用自定义功能的示例,请参见:
Golang templates (and passing funcs to template)
答案 1 :(得分:1)
您可以使用类似this的FuncMap。在funcmap中定义函数后,就可以在HTML中使用它。在您的情况下,您可以定义 MapLength 函数或类似的函数来计算给定地图的长度并为您返回。然后,您可以在模板中调用它,如下所示:
<p>The last index of this map is: {{ .MapLength . }} </p>
答案 2 :(得分:1)
其他答案是正确的,您不能在模板中自己做。但是,这是一个如何使用Funcs
的有效示例:
package main
import (
"fmt"
"html/template"
"os"
)
type MyMap map[string]string
func LastMapIndex(args ...interface{}) string {
if m, ok := args[0].(MyMap); ok && len(args) == 1 {
return fmt.Sprintf("%d", len(m) - 1)
}
return ""
}
func main() {
myMap := MyMap{}
myMap["foo"] = "bar"
t := template.New("template test")
t = t.Funcs(template.FuncMap{"LastMapIndex": LastMapIndex})
t = template.Must(t.Parse("Last map index: {{.|LastMapIndex}}\n"))
t.Execute(os.Stdout, myMap)
}