3

请帮我。我有 struct 类型

type myType struct {
    ID string 
    Name
    Test 
}

并且有类型的数组

var List []MyType;

如何在模板中打印包含所有结构字段的列表?

谢谢!

4

2 回答 2

2

使用range和变量赋值。text/template请参阅文档的相应部分。另请参见下面的示例:

package main

import (
    "fmt"
    "os"
    "text/template"
)

type myType struct {
    ID   string
    Name string
    Test string
}

func main() {
    list := []myType{{"id1", "name1", "test1"}, {"i2", "n2", "t2"}}

    tmpl := `
<table>{{range $y, $x := . }}
  <tr>
    <td>{{ $x.ID }}</td>
    <td>{{ $x.Name }}</td>
    <td>{{ $x.Test }}</td>
  </tr>{{end}}
</table>
`

    t := template.Must(template.New("tmpl").Parse(tmpl))

    err := t.Execute(os.Stdout, list)
    if err != nil {
        fmt.Println("executing template:", err)
    }
}

https://play.golang.org/p/W5lRPxD6r-

于 2016-07-02T07:28:13.103 回答
0

如果您在谈论 HTML 模板,它的外观如下:

{{range $idx, $item := .List}}
<div>
    {{$item.ID}}
    {{$item.Name}}
    {{$item.Test}}
</div>
{{end}}

这就是您将该切片传递给模板的方式。

import (
htpl "html/template"
"io/ioutil"
)

content, err := ioutil.ReadFile("full/path/to/template.html")
if err != nil {
    log.Fatal("Could not read file")
    return
}

tmpl, err := htpl.New("Error-Template").Parse(string(content))
if err != nil {
    log.Fatal("Could not parse template")
}


var html bytes.Buffer
List := []MyType // Is the variable holding the actual slice with all the data
tmpl.Execute(&html, type struct {
    List []MyType
}{
    List
})
fmt.Println(html)
于 2016-07-02T09:36:28.220 回答