我做了一个应用程序,在其中我需要将相同的文件提供给多个路由,因为前端是一个React应用程序。 我一直在使用大猩猩复用器作为路由器。
文件结构如下:
1 2 3 4 5 6 7 8 9 | main.go build/ | index.html | service-worker.js static/ | js/ | main.js | css/ | main.css |
引用文件时假定它们位于文件目录的根目录中。 因此,在html文件中,它们像" /static/js/main.js"那样被请求。
总的来说,我的路线定义如下:
1 2 | r.PathPrefix("/student").Handler(http.StripPrefix("/student",http.FileServer(http.Dir("build/")))).Methods("GET") r.PathPrefix("/").Handler(http.FileServer(http.Dir("build/"))).Methods("GET") |
这样,我就获得了同时在'/'和'/ student'路径中投放的index.html文件。 如果我在" / student"路径周围使用其他方法,则会收到404错误。 因此,我要问的是还有另一种方式可以为这两个路线提供相同的内容,以使我不必为将在Web应用程序中使用的每个视图定义路线。
- 这是假定的副本[1]的答案,没有回答Teodors问题。 他已经在其原始代码中使用PathPrefix。 1:stackoverflow.com/questions/43943038/
我已经多次进行了这种精确的设置。
您将需要一个提供所有静态资产的文件服务器。 在所有未处理的路由上提供index.html文件的文件服务器。 一个(我假设)一个子路由器,用于对服务器的所有API调用。
这是一个与您的文件结构匹配的示例。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 | package main import ( "fmt" "log" "net/http" "github.com/gorilla/mux" ) func main() { r := mux.NewRouter() // Handle API routes api := r.PathPrefix("/api/").Subrouter() api.HandleFunc("/student", func(w http.ResponseWriter, r *http.Request) { fmt.Fprintln(w,"From the API") }) // Serve static files r.PathPrefix("/static/").Handler(http.StripPrefix("/static/", http.FileServer(http.Dir("./build/static/")))) // Serve index page on all unhandled routes r.PathPrefix("/").HandlerFunc(func(w http.ResponseWriter, r *http.Request) { http.ServeFile(w, r,"./build/index.html") }) fmt.Println("http://localhost:8888") log.Fatal(http.ListenAndServe(":8888", r)) } |