我使用下面的代码可以正常工作,但是现在我想将模板打印到文件中,并尝试以下操作但出现错误
package main
import (
"html/template"
"log"
"os"
)
func main() {
t := template.Must(template.New("").Parse(`{{- range .}}{{.}}:
echo "from {{.}}"
{{end}}
`))
t.Execute(os.Stdout, []string{"app1", "app2", "app3"})
f, err := os.Create("./myfile")
if err != nil {
log.Println("create file: ", err)
return
}
err = t.Execute(f, t)
if err != nil {
log.Print("execute: ", err)
return
}
f.Close()
}
错误是:
execute: template: :1:10: executing "" at <.>: range can't iterate over {0xc00000e520 0xc00001e400 0xc0000b3000 0xc00009e0a2}
最佳答案
使用数组作为第二个参数,而不是模板本身。
package main
import (
"html/template"
"log"
"os"
)
func main() {
t := template.Must(template.New("").Parse(`{{- range .}}{{.}}:
echo "from {{.}}"
{{end}}
`))
t.Execute(os.Stdout, []string{"app1", "app2", "app3"})
f, err := os.Create("./myfile")
if err != nil {
log.Println("create file: ", err)
return
}
err = t.Execute(f, []string{"app1", "app2", "app3"})
if err != nil {
log.Print("execute: ", err)
return
}
f.Close()
}
输出:
app1:
echo "from app1"
app2:
echo "from app2"
app3:
echo "from app3"
myfile
的内容是app1:
echo "from app1"
app2:
echo "from app2"
app3:
echo "from app3"
关于templates - 如何在Golang中将模板输出写入文件?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/53461812/