如果您在Go中使用http.FileServer,例如:
func main() { port := flag.String("p", "8100", "port to serve on") directory := flag.String("d", ".", "the directory of static file to host") flag.Parse() http.Handle("/", http.FileServer(http.Dir(*directory))) log.Printf("Serving %s on HTTP port: %s\n", *directory, *port) log.Fatal(http.ListenAndServe(":"+*port, nil)) }
然后访问目录将为您提供文件列表。通常,这对于Web服务是禁用的,而是以404响应,我也希望这种行为。
http.FileServer没有针对此AFAIK的选项,我在这里看到了解决此问题的建议方法https://groups.google.com/forum/#!topic/golang- nuts/bStLPdIVM6w他们在包装http.FileSystem类型并实现自己的Open方法。但是,当路径是目录时,它不会给出404,而只是给出一个空白页,并且不清楚如何修改它以适应此情况。他们是这样做的:
type justFilesFilesystem struct { fs http.FileSystem } func (fs justFilesFilesystem) Open(name string) (http.File, error) { f, err := fs.fs.Open(name) if err != nil { return nil, err } return neuteredReaddirFile{f}, nil } type neuteredReaddirFile struct { http.File } func (f neuteredReaddirFile) Readdir(count int) ([]os.FileInfo, error) { return nil, nil } func main() { fs := justFilesFilesystem{http.Dir("/tmp/")} http.ListenAndServe(":8080", http.FileServer(fs)) }
注意:如果您使用Readdir,return nil, os.ErrNotExist则会收到500错误的“错误读取目录”响应,而不是404。
return nil, os.ErrNotExist
关于如何巧妙地呈现404并仍然保留自动查找index.html(如果存在)的功能的任何想法吗?
如果您不是用Readdir方法代替,而是用,可以更改此行为Stat。 请查看下面的工作代码。index.html如果文件位于请求的目录内,则它支持文件的提供;如果文件404不在目录中,则返回index.html文件。
Readdir
Stat
index.html
404
package main import ( "io" "net/http" "os" ) type justFilesFilesystem struct { fs http.FileSystem // readDirBatchSize - configuration parameter for `Readdir` func readDirBatchSize int } func (fs justFilesFilesystem) Open(name string) (http.File, error) { f, err := fs.fs.Open(name) if err != nil { return nil, err } return neuteredStatFile{File: f, readDirBatchSize: fs.readDirBatchSize}, nil } type neuteredStatFile struct { http.File readDirBatchSize int } func (e neuteredStatFile) Stat() (os.FileInfo, error) { s, err := e.File.Stat() if err != nil { return nil, err } if s.IsDir() { LOOP: for { fl, err := e.File.Readdir(e.readDirBatchSize) switch err { case io.EOF: break LOOP case nil: for _, f := range fl { if f.Name() == "index.html" { return s, err } } default: return nil, err } } return nil, os.ErrNotExist } return s, err } func main() { fs := justFilesFilesystem{fs: http.Dir("/tmp/"), readDirBatchSize: 2} fss := http.FileServer(fs) http.ListenAndServe(":8080", fss) }