我使用dirPath
使用http.FileServer
提供来自http.Handle("/o/", http.StripPrefix(
path.Join("/o", dirPath), http.FileServer(http.Dir(dirPath))))
的jpeg图片:
http.FileServer
我不明白的是,在为不存在的文件发出请求时如何记录。当我向浏览器发出请求时,我可以看到public static Task ProcessQueueMessage([ServiceBusTrigger("outbound")] BrokeredMessage message, TextWriter log)
返回 404页面未找到,但在服务器控制台上没有。
答案 0 :(得分:6)
http.Handler
和http.StripPrefix()
返回的http.FileServer()
不会记录HTTP 404错误。您必须扩展其功能才能实现您的目标。
我们可以将http.Handler
或http.StripPrefix()
返回的http.FileServer()
值换行到另一个http.Handler
或http.HandlerFunc
。一旦你包装了处理程序,当然要注册包装器。
包装器实现将简单地调用包装的实现,一旦返回,就可以检查HTTP响应状态代码。如果是错误(或者特别是HTTP 404 Not Found),可以适当地记录它。
问题是http.ResponseWriter
不支持读取响应状态代码。我们可以做的是我们还包装http.ResponseWriter
,当写入状态代码时,我们将存储它以供以后使用。
我们的http.ResponseWriter
包装器:
type StatusRespWr struct {
http.ResponseWriter // We embed http.ResponseWriter
status int
}
func (w *StatusRespWr) WriteHeader(status int) {
w.status = status // Store the status for our own use
w.ResponseWriter.WriteHeader(status)
}
并包裹http.Handler
:
func wrapHandler(h http.Handler) http.HandlerFunc {
return func(w http.ResponseWriter, r *http.Request) {
srw := &StatusRespWr{ResponseWriter: w}
h.ServeHTTP(srw, r)
if srw.status >= 400 { // 400+ codes are the error codes
log.Printf("Error status code: %d when serving path: %s",
srw.status, r.RequestURI)
}
}
}
创建文件服务器的主要功能,包装并注册它:
http.HandleFunc("/o/", wrapHandler(
http.StripPrefix("/o", http.FileServer(http.Dir("/test")))))
panic(http.ListenAndServe(":8181", nil))
请求不存在的文件时的示例输出:
2015/12/01 11:47:40 Error status code: 404 when serving path: /o/sub/b.txt2