我想向API发送POST请求,以将我的数据作为application/x-www-form- urlencoded内容类型发送。由于我需要管理请求标头,因此我正在使用该http.NewRequest(method, urlStr string, body io.Reader)方法来创建请求。对于此POST请求,我将数据查询附加到URL上,并将正文保留为空,如下所示:
application/x-www-form- urlencoded
http.NewRequest(method, urlStr string, body io.Reader)
package main import ( "bytes" "fmt" "net/http" "net/url" "strconv" ) func main() { apiUrl := "https://api.com" resource := "/user/" data := url.Values{} data.Set("name", "foo") data.Add("surname", "bar") u, _ := url.ParseRequestURI(apiUrl) u.Path = resource u.RawQuery = data.Encode() urlStr := fmt.Sprintf("%v", u) // "https://api.com/user/?name=foo&surname=bar" client := &http.Client{} r, _ := http.NewRequest("POST", urlStr, nil) r.Header.Add("Authorization", "auth_token=\"XXXXXXX\"") r.Header.Add("Content-Type", "application/x-www-form-urlencoded") r.Header.Add("Content-Length", strconv.Itoa(len(data.Encode()))) resp, _ := client.Do(r) fmt.Println(resp.Status) }
当我回应时,我总是得到400 BAD REQUEST。我相信问题取决于我的请求,API无法理解我要发布的有效负载。我知道类似的方法Request.ParseForm,但不确定在这种情况下如何使用它。也许我缺少一些其他的Header,也许有更好的方法application/json使用body参数将有效载荷作为类型发送吗?
400 BAD REQUEST
Request.ParseForm
application/json
body
必须body在http.NewRequest(method, urlStr string, body io.Reader)方法的参数上提供URL编码的有效负载,作为实现io.Reader接口的类型。
io.Reader
根据示例代码:
package main import ( "fmt" "net/http" "net/url" "strconv" "strings" ) func main() { apiUrl := "https://api.com" resource := "/user/" data := url.Values{} data.Set("name", "foo") data.Set("surname", "bar") u, _ := url.ParseRequestURI(apiUrl) u.Path = resource urlStr := u.String() // "https://api.com/user/" client := &http.Client{} r, _ := http.NewRequest("POST", urlStr, strings.NewReader(data.Encode())) // URL-encoded payload r.Header.Add("Authorization", "auth_token=\"XXXXXXX\"") r.Header.Add("Content-Type", "application/x-www-form-urlencoded") r.Header.Add("Content-Length", strconv.Itoa(len(data.Encode()))) resp, _ := client.Do(r) fmt.Println(resp.Status) }
resp.Status是200 OK这种方式。
resp.Status
200 OK