2

我正在用 Go 开发一个测试 hello 应用程序,它可以访问 Postgres 数据库。这将使用 statefulset 在 kubernetes 中发布,并且有一个带有两个容器镜像的 pod(一个用于 pgsql,一个用于 goapp)。

├── hello-app
|   ├── templates
|       ├── file1.gohtml
|       ├── file2.gohtml
|       └── file3.gohtml
|   ├── Dockerfile
|   └── hello-app.go
├── psql
|   ├── Dockerfile
|   ├── createUser.sh
|   └── createDB.sql
├── yaml
|   └── statefulset.yaml

我坚持让 Dockerfile 和 Go 应用程序绑定。在我的第一个 Go 代码中,我使用 'template.Must' 函数来引用 'templates' 目录。显然,当我将其作为容器运行时,目录结构是不同的。

我还没有完全弄清楚如何在 Dockerfile 中执行此操作,并且正在寻找一些指导。

/app/hello-app.go

package main

import (

        "database/sql"
        "fmt"
        "os"
        _ "github.com/lib/pq"
        "html/template"
        "net/http"
        "strconv"
)

var db *sql.DB
var tpl *template.Template

func init() {
        host := os.Getenv("VARIABLE")
        var err error
        db, err = sql.Open("postgres", "postgres://user:password@"+host+"/dbname?sslmode=disable")
        if err != nil {
                panic(err)
        }

        if err = db.Ping(); err != nil {
                panic(err)
        }
        fmt.Println("You connected to your database.")

        tpl = template.Must(template.ParseGlob("templates/*.gohtml"))

/app/Dockerfile

FROM golang:1.8-alpine
RUN apk add --update go git
RUN go get github.com/lib/pq/...
ADD . /go/src/hello-app
RUN go install hello-app
Add templates templates/
ENV USER=username \
    PASSWORD=password \
    DB=dbname \
    HOST=hostname \
    PORT=5432

FROM alpine:latest
COPY --from=0 /go/bin/hello-app/ .
ENV PORT 4040
CMD ["./hello-app"]

当我在 kubernetes (GCP) 中运行它时,我在 hello-app 容器上得到以下日志条目。

恐慌:html/template:模式不匹配任何文件:templates/*.gohtml goroutine 1 [running]:html/template.Must

4

3 回答 3

3

在 Dockerfile 的第二阶段,您只是从前一阶段复制 Go 二进制文件。您还必须将templates目录复制到第二阶段,以便 Go 二进制文件可以引用您的 HTML 模板:

FROM golang:1.8-alpine
RUN apk add --update go git
RUN go get github.com/lib/pq/...
ADD . /go/src/hello-app
RUN go install hello-app
ENV USER=username \
    PASSWORD=password \
    DB=dbname \
    HOST=hostname \
    PORT=5432

FROM alpine:latest
COPY --from=0 /go/bin/hello-app/ .
COPY --from=0 /go/src/hello-app/templates ./templates
ENV PORT 4040
CMD ["./hello-app"]

我不确定这是否是常见的做法,但是当我对构建过程中的哪个文件夹中的内容感到困惑时,我只是简单地ls查看了有问题的目录,以便更好地了解构建过程中可能发生的情况:

RUN ls

显然,一旦完成 Dockerfile,就可以删除这些行。

于 2018-08-15T20:50:11.553 回答
0

该错误是因为template.ParseGlob在您的模板目录中找不到任何匹配的文件。而不是COPY --from=0 /go/bin/hello-app/ .尝试使用复制整个目录COPY <YOUR LOCAL GOPATH/src/hello-app> <DOCKER DIR PATH>。此外,当您构建应用程序时,您的模板文件夹仍将位于源文件夹中,因此也可能导致问题。go build解决方案是在应用程序目录中运行一个并使用COPY我拥有的命令。

于 2018-08-16T02:22:25.313 回答
0

I experienced the same error with my templates' folder but solved it by copying all the files from my root folder using this command in my Dockerfile:

COPY . .

In addition, when you are using an external library you might want to enable the GO111MODULE.

In your Terminal (MacOS):

export GO111MODULE=on
go mod init

In your Dockerfile:

COPY go.mod .
RUN go mod download
于 2020-07-21T20:29:57.947 回答