40

在 Golang 中,我如何在根目录之外提供静态内容,同时仍然有一个根目录处理程序来服务主页。

使用以下简单的 Web 服务器作为示例:

package main

import (
    "fmt"
    "net/http"
)

func main() {
    http.HandleFunc("/", HomeHandler) // homepage
    http.ListenAndServe(":8080", nil)
}

func HomeHandler(w http.ResponseWriter, r *http.Request) {
    fmt.Fprintf(w, "HomeHandler")
}

如果我做

http.Handle("/", http.FileServer(http.Dir("./")))

我收到一个恐慌,说我有两个“/”注册。我在 Internet 上找到的每个 Golang 示例都建议从不同的目录中提供静态内容,但这对于 sitemap.xml、favicon.ico、robots.txt 和其他实践文件或强制要求始终从根中提供服务。

我寻求的行为是在大多数 Web 服务器(如 Apache、Nginx 或 IIS)中发现的行为,它首先遍历您的规则,如果没有找到规则,它会查找实际文件,如果没有找到文件404s。我的猜测是http.HandlerFunc,我不需要编写 a ,而是需要编写 a http.Handlerwhich 检查我是否引用了带有扩展名的文件,如果是,则检查文件是否存在并提供文件,否则 404s 或提供主页是请求的“/”。不幸的是,我什至不确定如何开始这样的任务。

我的一部分说我把情况过度复杂化了,这让我觉得我错过了什么?任何指导将不胜感激。

4

3 回答 3

40

另一种(不使用ServeMux)解决方案是显式地提供位于根目录中的每个文件。背后的想法是保持基于根文件的数量非常小。 sitemap.xmlfavicon.icorobots.txt确实被要求从根目录中提供服务:

package main

import (
    "fmt"
    "net/http"
)

func HomeHandler(w http.ResponseWriter, r *http.Request) {
    fmt.Fprintf(w, "HomeHandler")
}

func serveSingle(pattern string, filename string) {
    http.HandleFunc(pattern, func(w http.ResponseWriter, r *http.Request) {
        http.ServeFile(w, r, filename)
    })
}

func main() {
    http.HandleFunc("/", HomeHandler) // homepage

    // Mandatory root-based resources
    serveSingle("/sitemap.xml", "./sitemap.xml")
    serveSingle("/favicon.ico", "./favicon.ico")
    serveSingle("/robots.txt", "./robots.txt")

    // Normal resources
    http.Handle("/static", http.FileServer(http.Dir("./static/")))

    http.ListenAndServe(":8080", nil)
}

请将所有其他资源(CSS、JS 等)移动到适当的子目录,例如/static/.

于 2013-01-06T23:29:27.023 回答
24

我认为可能对您有所帮助的一件事是您可以创建自己的 ServeMux。我添加到您的示例中,以便 chttp 是您可以提供静态文件的 ServeMux。HomeHandler 然后检查它是否应该提供文件。我只是检查一个“。” 但你可以做很多事情。只是一个想法,可能不是您想要的。

package main

import (
    "fmt"
    "net/http"
    "strings"
)   

var chttp = http.NewServeMux()

func main() {

    chttp.Handle("/", http.FileServer(http.Dir("./")))

    http.HandleFunc("/", HomeHandler) // homepage
    http.ListenAndServe(":8080", nil)
}   

func HomeHandler(w http.ResponseWriter, r *http.Request) {

    if (strings.Contains(r.URL.Path, ".")) {
        chttp.ServeHTTP(w, r)
    } else {
        fmt.Fprintf(w, "HomeHandler")
    }   
} 
于 2012-12-29T22:41:57.473 回答
20

使用Gorilla mux 包

r := mux.NewRouter()

//put your regular handlers here

//then comes root handler
r.HandleFunc("/", homePageHandler)
//if a path not found until now, e.g. "/image/tiny.png" 
//this will look at "./public/image/tiny.png" at filesystem
r.PathPrefix("/").Handler(http.FileServer(http.Dir("./public/")))

http.Handle("/", r)
http.ListenAndServe(":8080", nil)
于 2013-10-16T23:06:59.263 回答