我如何在POST请求中发送JSON字符串

我尝试与Apiary合作,制作了一个通用模板,将JSON发送到模拟服务器,并有以下代码:

package main


import (
"encoding/json"
"fmt"
"github.com/jmcvetta/napping"
"log"
"net/http"
)


func main() {
url := "http://restapi3.apiary.io/notes"
fmt.Println("URL:>", url)


s := napping.Session{}
h := &http.Header{}
h.Set("X-Custom-Header", "myvalue")
s.Header = h


var jsonStr = []byte(`
{
"title": "Buy cheese and bread for breakfast."
}`)


var data map[string]json.RawMessage
err := json.Unmarshal(jsonStr, &data)
if err != nil {
fmt.Println(err)
}


resp, err := s.Post(url, &data, nil, nil)
if err != nil {
log.Fatal(err)
}
fmt.Println("response Status:", resp.Status())
fmt.Println("response Headers:", resp.HttpResponse().Header)
fmt.Println("response Body:", resp.RawText())


}

这段代码没有正确地发送JSON,但我不知道为什么。JSON字符串在每次调用中都可以不同。我不能用Struct来做这个。

557473 次浏览

我不熟悉午睡,但使用Golang的net/http包工作得很好(操场上):

func main() {
url := "http://restapi3.apiary.io/notes"
fmt.Println("URL:>", url)


var jsonStr = []byte(`{"title":"Buy cheese and bread for breakfast."}`)
req, err := http.NewRequest("POST", url, bytes.NewBuffer(jsonStr))
req.Header.Set("X-Custom-Header", "myvalue")
req.Header.Set("Content-Type", "application/json")


client := &http.Client{}
resp, err := client.Do(req)
if err != nil {
panic(err)
}
defer resp.Body.Close()


fmt.Println("response Status:", resp.Status)
fmt.Println("response Headers:", resp.Header)
body, _ := ioutil.ReadAll(resp.Body)
fmt.Println("response Body:", string(body))
}

除了标准的net/http包,你可以考虑使用我的GoRequest,它包装了net/http,让你的生活更容易,而不用考虑太多json或struct。但是您也可以在一个请求中混合和匹配它们!(你可以在gorequest github页面上看到更多细节)

所以,在最后你的代码会像下面这样:

func main() {
url := "http://restapi3.apiary.io/notes"
fmt.Println("URL:>", url)
request := gorequest.New()
titleList := []string{"title1", "title2", "title3"}
for _, title := range titleList {
resp, body, errs := request.Post(url).
Set("X-Custom-Header", "myvalue").
Send(`{"title":"` + title + `"}`).
End()
if errs != nil {
fmt.Println(errs)
os.Exit(1)
}
fmt.Println("response Status:", resp.Status)
fmt.Println("response Headers:", resp.Header)
fmt.Println("response Body:", body)
}
}

这取决于你想如何实现。我做这个库是因为我有同样的问题,我想要的代码更短,易于使用json,更易于维护在我的代码库和生产系统。

你可以使用post来发布你的json。

values := map[string]string{"username": username, "password": password}


jsonValue, _ := json.Marshal(values)


resp, err := http.Post(authAuthenticatorUrl, "application/json", bytes.NewBuffer(jsonValue))

如果你已经有一个结构体。

import (
"bytes"
"encoding/json"
"io"
"net/http"
"os"
)


// .....


type Student struct {
Name    string `json:"name"`
Address string `json:"address"`
}


// .....


body := &Student{
Name:    "abc",
Address: "xyz",
}


payloadBuf := new(bytes.Buffer)
json.NewEncoder(payloadBuf).Encode(body)
req, _ := http.NewRequest("POST", url, payloadBuf)


client := &http.Client{}
res, e := client.Do(req)
if e != nil {
return e
}


defer res.Body.Close()


fmt.Println("response Status:", res.Status)
// Print the body to the stdout
io.Copy(os.Stdout, res.Body)

完整的要点

使用实例post http或https请求

    //Encode the data
postBody, _ := json.Marshal(map[string]string{
"name":  "Test",
"email": "Test@Test.com",
})
responseBody := bytes.NewBuffer(postBody)
//Leverage Go's HTTP Post function to make request
resp, err := http.Post("https://postman-echo.com/post", "application/json", responseBody)
//Handle Error
if err != nil {
log.Fatalf("An Error Occured %v", err)
}
defer resp.Body.Close()
//Read the response body
body, err := ioutil.ReadAll(resp.Body)
if err != nil {
log.Fatalln(err)
}
sb := string(body)
log.Printf(sb)

如果你有很多数据要发送,你可以使用管道:

package main


import (
"encoding/json"
"io"
"net/http"
)


func main() {
m := map[string]int{"SNG_ID": 75498415}
r, w := io.Pipe()
go func() {
json.NewEncoder(w).Encode(m)
w.Close()
}()
http.Post("https://stackoverflow.com", "application/json", r)
}

https://golang.org/pkg/io#Pipe

使用io。管来处理大型请求体,如另一个答案中所述。这种方法通过将数据从JSON编码器流到网络来避免在内存中构建整个请求体。

这个答案建立在另一个答案的基础上,展示了如何处理错误。总是处理错误!

  • 使用管的CloseWithError函数将编码错误传播回从http.Post返回的错误。
  • 处理从http返回的错误。帖子
  • 关闭响应体。

代码如下:

r, w := io.Pipe()


go func() {
w.CloseWithError(json.NewEncoder(w).Encode(data))
}()


// Ensure that read side of pipe is closed. This
// unblocks goroutine in scenario where http.Post
// errors out before reading the entire request body.
defer r.Close()


resp, err := http.Post(url, r)
if err != nil {
// Adjust error handling here to meet application requrirements.
log.Fatal(err)
}
defer resp.Body.Close()
// Use the response here.

如果你想这样做,你需要使用这个映射来解组json字符串。

var data map[string]interface{}

但是如果你每次都需要修改json,并且为了更方便地初始化你的请求体,你可以使用这个映射来创建json体。

var bodyJsonMap map[string]interface{}{
"key1": val1,
"key2": val2,
...
}

然后将其marshal为json字符串。