导语
在Golang中web开发中net/http是经常用到的包,在这个包中包含了各种请求与响应的方式,下面我会一一进行介绍。
Get请求
不带参数的Get请求
*http.Responseioutil.ReadAll(resp.Body)
func SendSimpleGetRequest() {
resp, err := http.Get("https://baidu.com")
if err != nil {
panic(err)
}
defer resp.Body.Close()
s, err := ioutil.ReadAll(resp.Body)
fmt.Printf(string(s))
}
携带参数的Get请求
url.Values{}map[string][]stringparams.Encode()
func SendComplexGetRequest() {
params := url.Values{}
Url, err := url.Parse("http://baidu.com?fd=fdsf")
if err != nil {
panic(err.Error())
}
params.Set("a", "fdfds")
params.Set("id", string("1"))
//如果参数中有中文参数,这个方法会进行URLEncode
Url.RawQuery = params.Encode()
urlPath := Url.String()
resp, err := http.Get(urlPath)
defer resp.Body.Close()
s, err := ioutil.ReadAll(resp.Body)
fmt.Println(string(s))
}
Post请求
一般post请求的参数不会直接在url地址中被看到,同样我们也使用相同的方式追加参数。如下
func httpPostForm() {
// params:=url.Values{}
// params.Set("hello","fdsfs") //这两种都可以
params := url.Values{"key": {"Value"}, "id": {"123"}}
resp, _ := http.PostForm("http://baidu.com", params)
defer resp.Body.Close()
body, _ := ioutil.ReadAll(resp.Body)
fmt.Println(string(body))
}
客户端通用模式
url.Values{}http.Client{}http.NewRequest()client.Do(req)
func httpDo() {
client := &http.Client{}
urlmap := url.Values{}
urlmap.Add("client_id", "esss")
urlmap.Add("client_secret", "sk")
parms := ioutil.NopCloser(strings.NewReader(urlmap.Encode())) //把form数据编下码
req, err := http.NewRequest("POST", "www.baidu.com", parms)
if err != nil {
// handle error
}
req.Header.Set("Content-Type", "application/x-www-form-urlencoded")
req.Header.Set("Cookie", "name=anny")
resp, err := client.Do(req)
defer resp.Body.Close()
body, err := ioutil.ReadAll(resp.Body)
if err != nil {
// handle error
}
fmt.Println(string(body))
}
END