如何使用Go Web服务器提供index.html(或其他静态HTML文件)?
我只想要一个基本的静态HTML文件(例如,一篇文章),就可以从Go Web服务器上提供该文件。HTML应该可以在go程序之外进行修改,就像使用HTML模板时一样。
这是我的Web服务器,仅托管硬编码文本(“ Hello world!”)。
package main import ( "fmt" "net/http" ) func handler(w http.ResponseWriter, r *http.Request) { fmt.Fprintf(w, "Hello world!") } func main() { http.HandleFunc("/", handler) http.ListenAndServe(":3000", nil) }
使用Golang net / http包,该任务非常容易。
您需要做的只是:
package main import ( "net/http" ) func main() { http.Handle("/", http.FileServer(http.Dir("./static"))) http.ListenAndServe(":3000", nil) }
假设静态文件位于static项目根目录中命名的文件夹中。
static
如果在folder中static,您将进行index.html文件调用http://localhost:3000/,这将导致呈现该索引文件,而不是列出所有可用文件。
index.html
http://localhost:3000/
此外,调用该文件夹中的任何其他文件(例如http://localhost:3000/clients.html)将显示该文件,该文件已由浏览器正确渲染(至少是Chrome,Firefox和Safari :)。
http://localhost:3000/clients.html
如果您想为文件,从文件夹说./public下网址:localhost:3000/static你必须 使用附加功能 :func StripPrefix(prefix string, h Handler) Handler是这样的:
./public
localhost:3000/static
func StripPrefix(prefix string, h Handler) Handler
package main import ( "net/http" ) func main() { http.Handle("/static/", http.StripPrefix("/static/", http.FileServer(http.Dir("./public")))) http.ListenAndServe(":3000", nil) }
因此,您的所有文件./public都可以在localhost:3000/static
没有http.StripPrefix功能,如果您尝试访问file localhost:3000/static/test.html,服务器将在其中查找./public/static/test.html
http.StripPrefix
localhost:3000/static/test.html
./public/static/test.html
这是因为服务器将整个URI视为文件的相对路径。
幸运的是,使用内置函数可以轻松解决该问题。