How to write template output to a file in Golang?

孤街浪徒 提交于 2019-12-10 11:19:12

问题


I use the following code which work ok, but now I want to print the template to a file and tried the following but got error

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()
}

The error is:

execute: template: :1:10: executing "" at <.>: range can't iterate over {0xc00000e520 0xc00001e400 0xc0000b3000 0xc00009e0a2}

回答1:


Use the array as the second argument, not the template itself.

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()
}

Output:

app1:
    echo "from app1"
app2:
    echo "from app2"
app3:
    echo "from app3"

And the content of myfile is,

app1:
    echo "from app1"
app2:
    echo "from app2"
app3:
    echo "from app3"



回答2:


The parameter you pass to the template execution the second time should match what you pass for the first time.

First you do:

t.Execute(os.Stdout, []string{"app1", "app2", "app3"})

Second you do:

err = t.Execute(f, t)

You passed the template itself (t). Change it to:

err = t.Execute(f, []string{"app1", "app2", "app3"})

Your template iterates over the passed param (with a {{range}} action) which works when you pass a slice, and it won't work when passing the template, it's a pointer to a struct, it's not something the template engine could iterate over.




回答3:


You give a wrong parameter:

err = t.Execute(f, t)

It should be

err = t.Execute(f,[]string{"app1", "app2", "app3"})


来源:https://stackoverflow.com/questions/53461812/how-to-write-template-output-to-a-file-in-golang

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!