小编典典
介绍
在Go中,该net/http软件包用于提供Web服务器功能。这不是静态文件服务器,而不仅仅是静态文件服务器。
没有文件系统的“根”概念。所提供的Web服务器使用处理程序
来处理
映射到URL的HTTP请求。处理程序负责处理HTTP请求,并设置和生成响应。可以使用Handle()或HandleFunc()功能注册处理程序。可以使用该ListenAndServe()功能启动服务器。
阅读的软件包文档net/http以了解基本概念并开始使用。它还包含许多小示例。
博客文章“ 编写Web应用程序”也很有帮助。
静态文件服务器
但是,提供了静态文件服务器或“文件系统”功能,程序包中有一个FileServer()函数http返回Handler用于服务静态文件的。您可以指定“根”文件夹来作为的参数提供静态文件FileServer()。
如果您将 绝对 路径传递给FileServer(),那么毫无疑问这意味着什么。如果提供 相对 路径,则始终在 当前 目录或 工作
目录的上下文中解释该路径。默认情况下,这是您从中启动应用程序的文件夹(执行go run ...命令或已编译的可执行二进制文件时所在的文件夹)。
例:
http.Handle("/", http.FileServer(http.Dir("/tmp")))
这将设置一个处理程序,以处理/tmp映射到根URL
的文件夹中的文件/。例如,对GET请求的响应"/mydoc.txt"将是"/tmp/mydoc.txt"静态文件。
完整的应用程序:
package main
import (
"log"
"net/http"
)
func main() {
// Simple static webserver:
http.Handle("/", http.FileServer(http.Dir("/tmp")))
log.Fatal(http.ListenAndServe(":8080", nil))
}
您可以使用StripPrefix()函数进行更复杂的映射。例:
// To serve a directory on disk (/tmp) under an alternate URL
// path (/tmpfiles/), use StripPrefix to modify the request
// URL's path before the FileServer sees it:
http.Handle("/tmpfiles/",
http.StripPrefix("/tmpfiles/", http.FileServer(http.Dir("/tmp"))))
2020-07-02