php小編草莓在解決Go代理失敗問(wèn)題時(shí),了解路由的重要性。路由是網(wǎng)絡(luò)通信中的核心概念,它決定了數(shù)據(jù)包應(yīng)該如何從源地址傳送到目標(biāo)地址。在使用Go語(yǔ)言進(jìn)行代理時(shí),正確配置路由非常重要。通過(guò)深入了解路由的原理和相關(guān)配置,我們可以有效解決Go代理失敗的問(wèn)題,保證網(wǎng)絡(luò)通信的穩(wěn)定性和可靠性。在本文中,我們將介紹路由的工作原理以及常見(jiàn)的配置方法,幫助大家更好地理解和應(yīng)用路由技術(shù)。
問(wèn)題內(nèi)容
我有一個(gè)像這樣的簡(jiǎn)單 go 代理。我想通過(guò)它代理請(qǐng)求并修改某些網(wǎng)站的響應(yīng)。這些網(wǎng)站通過(guò) tls 運(yùn)行,但我的代理只是本地服務(wù)器。
func main() { target, _ := url.parse("https://www.google.com") proxy := httputil.newsinglehostreverseproxy(target) proxy.modifyresponse = rewritebody http.handle("/", proxy) http.listenandserve(":80", proxy) }
登錄后復(fù)制
結(jié)果:404錯(cuò)誤,如下圖所示:
據(jù)我了解,代理服務(wù)器會(huì)發(fā)起請(qǐng)求并關(guān)閉請(qǐng)求,然后返回修改后的響應(yīng)。我不確定這里會(huì)失敗。我是否遺漏了將標(biāo)頭轉(zhuǎn)發(fā)到此請(qǐng)求失敗的地方的某些內(nèi)容?
編輯
我已經(jīng)讓路由正常工作了。最初,我有興趣修改響應(yīng),但除了看到 magical
標(biāo)頭之外,沒(méi)有看到任何變化。
func modifyResponse() func(*http.Response) error { return func(resp *http.Response) error { resp.Header.Set("X-Proxy", "Magical") b, _ := ioutil.ReadAll(resp.Body) b = bytes.Replace(b, []byte("About"), []byte("Modified String Test"), -1) // replace html body := ioutil.NopCloser(bytes.NewReader(b)) resp.Body = body resp.ContentLength = int64(len(b)) resp.Header.Set("Content-Length", strconv.Itoa(len(b))) resp.Body.Close() return nil } } func main() { target, _ := url.Parse("https://www.google.com") proxy := httputil.NewSingleHostReverseProxy(target) director := proxy.Director proxy.Director = func(r *http.Request) { director(r) r.Host = r.URL.Hostname() } proxy.ModifyResponse = modifyResponse() http.Handle("/", proxy) http.ListenAndServe(":80", proxy) }
登錄后復(fù)制
解決方法
文檔中提到了關(guān)鍵問(wèn)題,但從文檔中并不清楚如何準(zhǔn)確處理:
newsinglehostreverseproxy 不會(huì)重寫(xiě) host 標(biāo)頭。重寫(xiě)
主機(jī)標(biāo)頭,直接將 reverseproxy 與自定義 director 策略一起使用。
https://www.php.cn/link/747e32ab0fea7fbd2ad9ec03daa3f840
您沒(méi)有直接使用 reverseproxy
。您仍然可以使用 newsinglehostreverseproxy
并調(diào)整 director
函數(shù),如下所示:
func main() { target, _ := url.Parse("https://www.google.com") proxy := httputil.NewSingleHostReverseProxy(target) director := proxy.Director proxy.Director = func(r *http.Request) { director(r) r.Host = r.URL.Hostname() // Adjust Host } http.Handle("/", proxy) http.ListenAndServe(":80", proxy) }
登錄后復(fù)制