web-dev-qa-db-ja.com

テンプレート内のマップを反復処理する

ジムのクラス(ヨガ、ピラティスなど)のリストを表示しようとしています。クラスの種類ごとにいくつかのクラスがあるので、すべてのヨガのクラス、すべてのピラティスのクラスなどをグループ化します。

この関数を作成してスライスを取得し、マップを作成しました

func groupClasses(classes []entities.Class) map[string][]entities.Class {
    classMap := make(map[string][]entities.Class)
    for _, class := range classes {
        classMap[class.ClassType.Name] = append(classMap[class.ClassType.Name], class)
    }
    return classMap
}

http://golang.org/pkg/text/template/ によると、問題はどのようにそれを反復処理できるかです。.Key形式でアクセスする必要があります。キーを知らない(キーのスライスもテンプレートに渡さない限り)。ビューでこのマップを展開する方法を教えてください。

私が現在持っているのは

{{ . }} 

次のように表示されます:

map[Pilates:[{102 PILATES ~/mobifit/video/ocen.mpg 169 40 2014-05-03 23:12:12 +0000 UTC 2014-05-03 23:12:12 +0000 UTC 1899-12-30 00:00:00 +0000 UTC {PILATES Pilates 1 2014-01-22 21:46:16 +0000 UTC} {1 [email protected] password SUPERADMIN Lee Brooks {Male true} {1990-07-11 00:00:00 +0000 UTC true} {1.85 true} {88 true} 2014-01-22 21:46:16 +0000 UTC {0001-01-01 00:00:00 +0000 UTC false} {0001-01-01 00:00:00 +0000 UTC false} {0001-01-01 00:00:00 +0000 UTC false}} [{1 Mat 2014-01-22 21:46:16 +0000 UTC}]} {70 PILATES ~/mobifit/video/ocen.mpg 119 66 2014-03-31 15:12:12 +0000 UTC 2014-03-31 15:12:12 +0000 UTC 1899-12-30 00:00:00 +0000 UTC 
77
Lee

Goテンプレートドキュメントの 変数セクション を確認してください。範囲は、コンマで区切られた2つの変数を宣言できます。以下が動作するはずです:

{{ range $key, $value := . }}
   <li><strong>{{ $key }}</strong>: {{ $value }}</li>
{{ end }}
145
Herman Schaaf

Hermanが指摘したように、各反復からインデックスと要素を取得できます。

{{range $index, $element := .}}{{$index}}
{{range $element}}{{.Value}}
{{end}}
{{end}}

作業例:

package main

import (
    "html/template"
    "os"
)

type EntetiesClass struct {
    Name string
    Value int32
}

// In the template, we use rangeStruct to turn our struct values
// into a slice we can iterate over
var htmlTemplate = `{{range $index, $element := .}}{{$index}}
{{range $element}}{{.Value}}
{{end}}
{{end}}`

func main() {
    data := map[string][]EntetiesClass{
        "Yoga": {{"Yoga", 15}, {"Yoga", 51}},
        "Pilates": {{"Pilates", 3}, {"Pilates", 6}, {"Pilates", 9}},
    }

    t := template.New("t")
    t, err := t.Parse(htmlTemplate)
    if err != nil {
        panic(err)
    }

    err = t.Execute(os.Stdout, data)
    if err != nil {
        panic(err)
    }

}

出力:

Pilates
3
6
9

Yoga
15
51

遊び場: http://play.golang.org/p/4ISxcFKG7v

39
ANisus