在 Go 应用程序中,您正在利用单页 Web 应用程序并使用静态文件服务器提供其资源文件服务器。虽然服务器可以很好地为根目录中的现有资源提供服务,但如果请求的文件不存在,它会抛出 404 Not Found 错误。
您的目标是修改服务器的行为,以便为任何内容提供 index.html无法识别的网址。这一点至关重要,因为您的单页应用程序根据所提供的 HTML 和 JavaScript 处理渲染。
http.FileServer() 提供的默认处理程序缺少自定义选项,包括处理 404 未找到响应。为了解决这个限制,我们将包装处理程序并在包装器中实现我们的逻辑。
我们将创建一个包装原始内容的自定义 http.ResponseWriter回复作家。此自定义响应编写器将:
下面是此类自定义响应编写器的示例:
<code class="go">type NotFoundRedirectRespWr struct { http.ResponseWriter // Embed the base HTTP response writer status int } func (w *NotFoundRedirectRespWr) WriteHeader(status int) { w.status = status // Store the status code if status != http.StatusNotFound { w.ResponseWriter.WriteHeader(status) // Proceed normally for non-404 statuses } } func (w *NotFoundRedirectRespWr) Write(p []byte) (int, error) { if w.status != http.StatusNotFound { return w.ResponseWriter.Write(p) // Proceed normally for non-404 statuses } return len(p), nil // Pretend that the data was successfully written, but discard it }</code>
接下来,我们包装 http.FileServer() 返回的处理程序。包装器处理程序将:
以下是包装处理程序的示例:
<code class="go">func wrapHandler(h http.Handler) http.HandlerFunc { return func(w http.ResponseWriter, r *http.Request) { nfrw := &NotFoundRedirectRespWr{ResponseWriter: w} h.ServeHTTP(nfrw, r) // Call the default handler with our custom response writer if nfrw.status == 404 { log.Printf("Redirecting %s to index.html.", r.RequestURI) http.Redirect(w, r, "/index.html", http.StatusFound) } } }</code>
现在,在 main() 函数中,利用包装处理程序来修改静态文件服务器的行为。
<code class="go">func main() { fs := wrapHandler(http.FileServer(http.Dir("."))) // Wrap the handler http.HandleFunc("/", fs) panic(http.ListenAndServe(":8080", nil)) // Start serving files with the custom handler }</code>
通过这种方法,所有对与不存在的文件相对应的 URL 的请求将触发到 index.html 的重定向。您的单页应用程序将按预期运行,根据所提供的 HTML 和 JavaScript 呈现适当的内容。
以上是如何处理单页应用程序的 Go 静态文件服务器中的文件未找到异常?的详细内容。更多信息请关注PHP中文网其他相关文章!