How to program Go to use a proxy when using a custom transport?

后端 未结 2 1498
一个人的身影
一个人的身影 2021-01-15 15:09

How to write Go programs that use a proxy automatically according to the proxy environment variables?

The go get itself support the standard proxy envir

相关标签:
2条回答
  • 2021-01-15 15:44

    Set the Transport Proxy field to http.ProxyFromEnvironment to use a proxy configured from environment variables:

    tr := &http.Transport{
      Proxy: ProxyFromEnvironment,
      TLSClientConfig: &tls.Config{InsecureSkipVerify: true},
    }
    

    It's usually best to clone the default transport and set your options in that transport:

    tr := http.DefaultTransport.(*http.Transport).Clone()
    tr.TLSClientConfig = &tls.Config{InsecureSkipVerify: true}
    client := &http.Client{Transport: tr}
    resp, err := client.Get(url)
    

    The default transport includes the correct value for the Proxy field, timeouts and other useful settings.

    If the application is not creating a custom transport, then none of this is required to honor the proxy related environment variables.

    0 讨论(0)
  • You can use http.ProxyFromEnvironment method

      var PTransport = & http.Transport { Proxy: http.ProxyFromEnvironment }
      client: = http.Client { Transport: PTransport }
    

    ProxyFromEnvironment returns the URL of the proxy to use for a given request, as indicated by the environment variables HTTP_PROXY, HTTPS_PROXY and NO_PROXY (or the lowercase versions thereof). HTTPS_PROXY takes precedence over HTTP_PROXY for https requests.

    I have tried below code, it works, Just add in ur proxy details in terminal.

    export http_proxy='http://user:password@prox-server:3128'
    export https_proxy='http://user:password@prox-server:3128'
    export HTTP_PROXY='http://user:password@prox-server:3128'
    export HTTPS_PROXY='http://user:password@prox-server:3128'
    

    package main
    
    import (
      "fmt"
      "net/http"
      "io/ioutil"
    )
    
    func main() {
    
      var PTransport = & http.Transport {
        Proxy: http.ProxyFromEnvironment
      }
      client: = http.Client {
        Transport: PTransport
      }
      req, err: = http.NewRequest("GET", "https://jsonplaceholder.typicode.com/todos/1", nil)
      req.Header.Add("If-None-Match", `some value`)
      resp, err: = client.Do(req)
      if err != nil {
        panic(err)
      }
      defer resp.Body.Close()
    
      bodyBytes, err: = ioutil.ReadAll(resp.Body)
      if err != nil {
        panic(err)
      }
    
      bodyString: = string(bodyBytes)
      fmt.Printf("GET Response = %s \n", string(bodyString))
    
    
    }

    0 讨论(0)
提交回复
热议问题