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
이것을 사용할 수 없습니다 .
답변
나는 낮잠에 익숙하지 않지만 Golang의 net/http
패키지를 사용하면 잘 작동합니다 ( playground ).
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))
}
답변
post
json을 게시 하는 데 사용할 수 있습니다 .
values := map[string]string{"username": username, "password": password}
jsonValue, _ := json.Marshal(values)
resp, err := http.Post(authAuthenticatorUrl, "application/json", bytes.NewBuffer(jsonValue))
답변
이미 구조체가 있다면.
type Student struct {
Name string `json:"name"`
Address string `json:"address"`
}
// .....
body := &Student{
Name: "abc",
Address: "xyz",
}
buf := new(bytes.Buffer)
json.NewEncoder(buf).Encode(body)
req, _ := http.NewRequest("POST", url, buf)
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)
전체 요점 .
답변
표준 net / http 패키지 외에도 net / http 를 감싸고 json 또는 구조체에 대해 너무 많이 생각하지 않고도 인생을 더 편하게 만드는 GoRequest 사용을 고려할 수 있습니다 . 그러나 한 번의 요청으로 두 가지를 혼합하고 일치시킬 수도 있습니다! (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과 함께 사용하기 쉽고 코드베이스 및 프로덕션 시스템에서보다 유지 보수가 쉬운 코드를 원합니다.