从root用户提供主页和静态内容

时间:2012-12-29 21:24:33

标签: webserver go

在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("./")))

我收到一个恐慌,说我有两个“/”注册。我在互联网上找到的每个Golang示例都建议从不同的目录中提供静态内容,但这对于sitemap.xml,favicon.ico,robots.txt和其他文件来说无济于事。被要求永远服从根。

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

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

3 个答案:

答案 0 :(得分:39)

替代方法(不使用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/

答案 1 :(得分:25)

我想到的一件事可能对你有帮助,你可以创建自己的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")
    }   
} 

答案 2 :(得分:19)

使用Gorilla mux package

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)