在 Go 中处理预检 CORS 请求
在开发跨站 HTTP 请求时,你可能会遇到预检 OPTIONS 请求来检查请求的安全性。在 Go 上下文中,正确处理这些请求至关重要。
一种基本方法是检查处理函数中的请求方法:
func AddResourceHandler(rw http.ResponseWriter, r *http.Request) { switch r.Method { case "OPTIONS": // handle preflight case "PUT": // respond to actual request } }
另一种选择是利用 Gorilla 的 mux 包,注册一个相关 URL 路径的预检“OPTIONS”处理程序:
r := mux.NewRouter() r.HandleFunc("/someresource/item", AddResourceHandler).Methods("PUT") r.HandleFunc("/someresource/item", PreflightAddResourceHandler).Methods("OPTIONS")
但是,为了更优雅的方法,请考虑包装您的REST 处理程序:
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))
通过分离逻辑并重新使用 CORS 处理程序,您可以简化代码并增强其功能可维护性。
以上是如何在 Go 中高效处理预检 CORS 请求?的详细内容。更多信息请关注PHP中文网其他相关文章!