在Go模板中验证日期

时间:2019-07-13 02:14:38

标签: go go-templates

我正在尝试确保我的模板文件中有一个有效的日期,如果有,请填充div,否则将其留空。数据类型为mysql.NullTime。

这就是我想要做的:

{{ if .StartDate ne nil }}
   <div class="box date-row" id="startdate-{{ .DepartureTimeID }}">{{ .StartDate.Format "2006-01-02" }}</div>
{{ else }}
   <div class="box date-row" id="startdate-{{ .DepartureTimeID }}"></div>
{{ end }}

这似乎可行,如何测试非空日期?

1 个答案:

答案 0 :(得分:2)

如果这是必填值,则应在呈现模板之前 对其进行验证。

但是,如果它是可选的和/或您正在编写模板驱动的应用程序,则您至少有两个选择来实现所需的目标。

仅使用零值

充分利用零值:对于epochtime.Time。因此,假设您过去没有StartDate,则可以比较纪元之后的StartDate。

package main

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

// Note the call to the `After` function of the date.
const templateText = `
{{ if .Data.StartDate.After .Epoch }}
   <div class="box date-row" id="startdate-{{ .Data.DepartureTimeID }}">{{ .Data.StartDate.Format "2006-01-02" }}</div>
{{ else }}
   <div class="box date-row" id="startdate-{{ .Data.DepartureTimeID }}">No date</div>
{{ end }}
`

func main() {

     // shortcut for the sake of brevity.
    tmpl := template.Must(template.New("titleTest").Parse(templateText))

    // Create an anonymous wrapper struct for your data and the additional
    // time value you need to compare against
    tcx := struct {

        // This of course may be of the type you actually use.
        Data struct {
            StartDate       time.Time
            DepartureTimeID int
        }
        Epoch time.Time
    }{
        Data: struct {
            StartDate       time.Time
            DepartureTimeID int
        }{time.Now(), 1},
        Epoch: time.Time{},
    }

    tmpl.Execute(os.Stdout, tcx)
}

Run on playground

使用自定义功能

这几乎可以说明问题:只需定义一个自定义函数即可验证您的日期。在此示例中,我再次检查了零值。但是,您当然可以随心所欲地获得粒度:

package main

import (
    "html/template"
    "os"
    "log"
    "time"
)

const templateText = `
{{ if afterEpoch .StartDate }}
   <div class="box date-row" id="startdate-{{ .DepartureTimeID }}">{{ .StartDate.Format "2006-01-02" }}</div>
{{ else }}
   <div class="box date-row" id="startdate-{{ .DepartureTimeID }}"></div>
{{ end }}
`

func AfterEpoch(t time.Time) bool {
    return t.After(time.Time{})
}

type yourData struct {
    DepartureTimeID int
    StartDate       time.Time
}

func main() {
    funcMap := template.FuncMap{
        "afterEpoch": AfterEpoch,
    }

    tmpl := template.Must(template.New("fmap").Funcs(funcMap).Parse(templateText))

    log.Println("First run")
    tmpl.Execute(os.Stdout, yourData{1, time.Now()})


    log.Println("Second run")
    tmpl.Execute(os.Stdout, yourData{DepartureTimeID:1})
}

修改

当然,您也可以将管道符号用于第二个解决方案,该方法是为了使可读性更高,恕我直言:{{ if .StartDate | afterEpoch }}

Run on playground