50

私はこの構造体を持っています:

const (
    paragraph_hypothesis = 1<<iota
    paragraph_attachment = 1<<iota
    paragraph_menu       = 1<<iota
)

type Paragraph struct {
    Type int // paragraph_hypothesis or paragraph_attachment or paragraph_menu
}

Type段落を依存する方法で表示したい。

私が見つけた唯一の解決策は、 Go およびネストされたisAttachmentのテストなどの専用関数に基づいていました。Type{{if}}

{{range .Paragraphs}}
    {{if .IsAttachment}}
        -- attachement presentation code  --
    {{else}}{{if .IsMenu}}
        -- menu --
    {{else}}
        -- default code --
    {{end}}{{end}}
{{end}}

IsSomething実際、私はより多くの型を持っているため、さらに奇妙になり、関数を含む Go コードとそれらを含むテンプレートの両方が雑然としてい{{end}}ます。

きれいな解決策は何ですか?go テンプレートに解決策はありますswitchか? if/elseif/elseまたは、これらのケースを処理するためのまったく異なる方法ですか?

4

3 に答える 3

46

テンプレートはロジックレスです。彼らはこの種の論理を持つべきではありません。持つことができる最大のロジックは、if.

そのような場合は、次のようにする必要があります。

{{if .IsAttachment}}
    -- attachment presentation code --
{{end}}

{{if .IsMenu}}
    -- menu --
{{end}}

{{if .IsDefault}}
    -- default code --
{{end}}
于 2013-06-07T13:55:24.090 に答える
11

switchカスタム関数をtemplate.FuncMapに追加することで機能を実現できます。

printPara (paratype int) string以下の例では、定義済みの段落タイプの 1 つを受け取り、それに応じて出力を変更する関数を定義しました。

.Paratype実際のテンプレートでは、 が関数にパイプされていることに注意してくださいprintpara。これは、テンプレートでパラメーターを渡す方法です。sに追加される関数の出力パラメーターの数と形式には制限があることに注意してくださいFuncMapこのページには、最初のリンクと同様に、いくつかの良い情報があります。

package main

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

func main() {

    const (
        paragraph_hypothesis = 1 << iota
        paragraph_attachment = 1 << iota
        paragraph_menu       = 1 << iota
    )

    const text = "{{.Paratype | printpara}}\n" // A simple test template

    type Paragraph struct {
        Paratype int
    }

    var paralist = []*Paragraph{
        &Paragraph{paragraph_hypothesis},
        &Paragraph{paragraph_attachment},
        &Paragraph{paragraph_menu},
    }

    t := template.New("testparagraphs")

    printPara := func(paratype int) string {
        text := ""
        switch paratype {
        case paragraph_hypothesis:
            text = "This is a hypothesis\n"
        case paragraph_attachment:
            text = "This is an attachment\n"
        case paragraph_menu:
            text = "Menu\n1:\n2:\n3:\n\nPick any option:\n"
        }
        return text
    }

    template.Must(t.Funcs(template.FuncMap{"printpara": printPara}).Parse(text))

    for _, p := range paralist {
        err := t.Execute(os.Stdout, p)
        if err != nil {
            fmt.Println("executing template:", err)
        }
    }
}

プロデュース:

これは仮説です

これは添付ファイルです

メニュー
1:
2:
3:

任意のオプションを選択してください:

遊び場リンク

コードを少しクリーンアップできると確信していますが、提供されたサンプルコードに近づけるように努めました。

于 2013-06-08T02:43:50.640 に答える