Chi GoLang http.FileServer 返回 404 页面未找到

Chi GoLang http.FileServer returning 404 page not found

我有这个非常简单的代码来提供一些文件:

    wd, _ := os.Getwd()
    fs := http.FileServer(http.Dir(filepath.Join(wd,"../", "static")))

    r.Handle("/static", fs)

但是这是抛出 404 错误。

这个目录是相对于我的cmd/main.go,我也试过它是相对于当前包的,我也试过os.Getwd(),但没有用。请注意,我将 'to not work' 称为 'not giving any error and returning 404 code'。

我希望,当转到 http://localhost:port/static/afile.png 时,服务器将 return 这个文件,具有预期的 mime 类型。

这是我的项目结构:

- cmd
  main.go (main entry)
- static
  afile.png
- internal
  - routes
    static.go (this is where this code is being executed)
go.mod
go.sum

请注意,我也尝试使用 filepath.Join()

我也尝试了其他替代方案,但他们也给出了 404 错误。

编辑:这是 static.go:

的 os.Getwd() 输出

/mnt/Files/Projects/backend/cmd(符合预期)

这是 fmt.Println(filepath.Join(wd, "../", "static")) 结果 /mnt/Files/Projects/backend/static

最小复制存储库: https://github.com/dragonDScript/repro

您的第一期是:r.Handle("/static", fs)Handle is defined as func (mx *Mux) Handle(pattern string, handler http.Handler) where the docspattern 描述为:

Each routing method accepts a URL pattern and chain of handlers. The URL pattern supports named params (ie. /users/{userID}) and wildcards (ie. /admin/). URL parameters can be fetched at runtime by calling chi.URLParam(r, "userID") for named parameters and chi.URLParam(r, "") for a wildcard parameter.

因此 r.Handle("/static", fs) 将匹配“/static”且仅匹配“/static”。要匹配低于此的路径,您需要使用 r.Handle("/static/*", fs).

第二个问题是您正在请求 http://localhost:port/static/afile.png,这是从 /mnt/Files/Projects/backend/static 提供的,这意味着系统尝试加载的文件是 /mnt/Files/Projects/backend/static/static/afile.png。解决此问题的一种简单(但不理想)方法是从项目根目录 (fs := http.FileServer(http.Dir(filepath.Join(wd, "../")))) 提供服务。更好的选择是使用 StripPrefix;使用硬编码前缀:

fs := http.FileServer(http.Dir(filepath.Join(wd, "../", "static")))
r.Handle("/static/*", http.StripPrefix("/static/",fs))

或者Chi sample code的方法(请注意,该演示还添加了一个重定向,用于在没有指定特定文件的情况下请求路径):

fs := http.FileServer(http.Dir(filepath.Join(wd, "../", "static")))
    r.Get("/static/*", func(w http.ResponseWriter, r *http.Request) {
        rctx := chi.RouteContext(r.Context())
        pathPrefix := strings.TrimSuffix(rctx.RoutePattern(), "/*")
        fs := http.StripPrefix(pathPrefix, fs)
        fs.ServeHTTP(w, r)
    })

注意:使用 os.Getwd() 在这里没有任何好处;在任何情况下,您的应用程序都将访问与此路径相关的文件,因此 filepath.Join("../", "static")) 没问题。如果你想让它相对于可执行文件存储的路径(而不是工作目录)那么你想要这样的东西:

ex, err := os.Executable()
if err != nil {
    panic(err)
}
exPath := filepath.Dir(ex)
fs := http.FileServer(http.Dir(filepath.Join(exPath, "../static")))