PUT请求发送JSON对象
http.Client
并没有提供PUT请求的快捷方式,所以我们构造一个http.Request
对象并使用http.Client.Do(req *http.Request)
来完成请求。
package main
import (
"bytes"
"encoding/json"
"fmt"
"io/ioutil"
"log"
"net/http"
"time"
)
type User struct {
Name string
Email string
}
func main() {
user := User{
Name: "John Doe",
Email: "johndoe@example.com",
}
d, err := json.Marshal(user)
if err != nil {
log.Fatalf("json.Marshal() failed with '%s'\n", err)
}
client := &http.Client{}
client.Timeout = time.Second * 15
uri := "https://httpbin.org/put"
body := bytes.NewBuffer(d)
req, err := http.NewRequest(http.MethodPut, uri, body)
if err != nil {
log.Fatalf("http.NewRequest() failed with '%s'\n", err)
}
req.Header.Set("Content-Type", "application/json; charset=utf-8")
resp, err := client.Do(req)
if err != nil {
log.Fatalf("client.Do() failed with '%s'\n", err)
}
defer resp.Body.Close()
d, err = ioutil.ReadAll(resp.Body)
if err != nil {
log.Fatalf("ioutil.ReadAll() failed with '%s'\n", err)
}
fmt.Printf("Response status code: %d, text:\n%s\n", resp.StatusCode, string(d))
}
Response status code: 200, text:
{
"args": {},
"data": "{\"Name\":\"John Doe\",\"Email\":\"johndoe@example.com\"}",
"files": {},
"form": {},
"headers": {
"Accept-Encoding": "gzip",
"Content-Length": "49",
"Content-Type": "application/json; charset=utf-8",
"Host": "httpbin.org",
"User-Agent": "Go-http-client/2.0",
"X-Amzn-Trace-Id": "Root=1-5ebf5b94-36212820e3fd84b4a60224cc"
},
"json": {
"Email": "johndoe@example.com",
"Name": "John Doe"
},
"origin": "199.168.140.214",
"url": "https://httpbin.org/put"
}
最后更新于