如何使模板与gin框架一起工作?

时间:2016-06-26 19:06:29

标签: go go-templates go-gin

我是golang的新手。 要了解它,我已经开始使用gin框架的简单Web应用程序。 我跟着杜松子酒doc&配置模板文件但无法使其工作。我收到了错误 -

panic: html/template: pattern matches no files: `templates/*`

goroutine 1 [running]:
html/template.Must
  /usr/local/Cellar/go/1.5.2/libexec/src/html/template/template.go:330
github.com/gin-gonic/gin.(*Engine).LoadHTMLGlob
  /Users/ameypatil/deployment/go/src/github.com/gin-gonic/gin/gin.go:126
main.main()
  /Users/ameypatil/deployment/go/src/github.com/ameykpatil/gospike/main.go:17

以下是我的代码 -

package main

import (
    "net/http"

    "github.com/gin-gonic/gin"
)

func main() {
    //os.Setenv("GIN_MODE", "release")
    //gin.SetMode(gin.ReleaseMode)

    // Creates a gin router with default middleware:
    // logger and recovery (crash-free) middleware
    router := gin.Default()

    router.LoadHTMLGlob("templates/*")
    //router.LoadHTMLFiles("templates/index.tmpl")

    router.GET("/", func(c *gin.Context) {
        c.HTML(http.StatusOK, "index.tmpl", gin.H{
            "title": "GoSpike",
        })
    })

    // By default it serves on :8080 unless a
    // PORT environment variable was defined.
    router.Run(":4848")
}

我的目录结构是

- gospike
--- templates
------index.tmpl
--- main.go

go install命令不会出现任何错误

但在实际运行时,它会出现上述错误。我搜索过&在gin的github repo上记录了类似的问题,但它们现在已关闭。 我尝试了各种各样的东西,但我想我错过了一些明显的东西。我错过了什么?

3 个答案:

答案 0 :(得分:5)

我猜测问题是您使用相对文件路径来访问模板。

如果我从gospike目录编译并运行您的代码,它可以正常工作。但是,如果我从任何其他目录运行gospike,我会收到您所看到的相同错误。

因此,您需要始终在gospike的父目录中运行templates,或者您需要使用绝对路径。你可以硬编码:

router.LoadHTMLGlob("/go/src/github.com/ameykpatil/gospike/templates/*")

或者您可以执行类似

的操作
router.LoadHTMLGlob(filepath.Join(os.Getenv("GOPATH"),
    "src/github.com/ameykpatil/gospike/templates/*"))

但如果您在GOPATH中设置了多个路径,则会失败。一个更好的长期解决方案可能是设置一个特殊的环境变量,如TMPL_DIR,然后只使用它:

router.LoadHTMLGlob(filepath.Join(os.Getenv("TMPL_DIR"), "*"))

答案 1 :(得分:1)

使用相对路径 glob 会起作用,你可以尝试编码

router.LoadHTMLGlob("./templates/*")

注意 . 点号表示当前目录,gin.Engine 将加载模板 基于当前目录的 templates 子目录。

答案 2 :(得分:1)

这就是我的做法。这将遍历目录并收集标有我的模板后缀 .html 的文件,然后我只包含所有这些文件。我在任何地方都没有看到这个答案,所以我想我会发布它。

// START UP THE ROUTER
router := gin.Default()

var files []string
filepath.Walk("./views", func(path string, info os.FileInfo, err error) error {
    if strings.HasSuffix(path, ".html") {
        files = append(files, path)
    }
    return nil
})

router.LoadHTMLFiles(files...)

// SERVE STATICS
router.Use(static.Serve("/css", static.LocalFile("./css", true)))
router.Use(static.Serve("/js", static.LocalFile("./js", true)))
router.Use(static.Serve("/images", static.LocalFile("./images", true)))

routers.LoadBaseRoutes(router)
routers.LoadBlog(router)

router.Run(":8080")