在 Go 中处理预检 CORS 请求
当从 Go 服务器提供跨站点 HTTP 请求时,用户代理可能会发送预检 OPTIONS 请求验证请求的安全性。本文探讨了优雅地处理和响应这些预检请求的最佳实践。
传统上,使用 net/http 包,可以在处理函数中检查请求方法:
func AddResourceHandler(rw http.ResponseWriter, r *http.Request) { switch r.Method { case "OPTIONS": // handle preflight case "PUT": // respond to actual request } }
或者,使用 Gorilla 的 mux 包,可以为每个 URL 注册一个单独的预检处理程序path:
r := mux.NewRouter() r.HandleFunc("/someresource/item", AddResourceHandler).Methods("PUT") r.HandleFunc("/someresource/item", PreflightAddResourceHandler).Methods("OPTIONS")
要简化此过程,请考虑使用处理预检请求的 CORS 处理程序包装 REST 处理程序。例如,使用 net/http 的 Handle 方法:
func corsHandler(h http.Handler) http.HandlerFunc { return func(w http.ResponseWriter, r *http.Request) { if (r.Method == "OPTIONS") { //handle preflight in here } else { h.ServeHTTP(w,r) } } }
这个包装器可以如下使用:
http.Handle("/endpoint/", corsHandler(restHandler))
通过包装 REST 处理程序,您可以分离逻辑并重用CORS 处理程序处理所有相关请求,提供更优雅且可维护的解决方案。
以上是如何在 Go 中优雅地处理预检 CORS 请求?的详细内容。更多信息请关注PHP中文网其他相关文章!