如何使用 Go 提供 JSON 响应?

问题: 目前我正在 func Index中打印我的回复 就像这个 fmt.Fprintf(w, string(response)) 然而,如何在请求中正确地发送 JSON,以便它可能被视图使用?

package main


import (
"fmt"
"github.com/julienschmidt/httprouter"
"net/http"
"log"
"encoding/json"
)


type Payload struct {
Stuff Data
}
type Data struct {
Fruit Fruits
Veggies Vegetables
}
type Fruits map[string]int
type Vegetables map[string]int




func Index(w http.ResponseWriter, r *http.Request, _ httprouter.Params) {
response, err := getJsonResponse();
if err != nil {
panic(err)
}
fmt.Fprintf(w, string(response))
}




func main() {
router := httprouter.New()
router.GET("/", Index)
log.Fatal(http.ListenAndServe(":8080", router))
}


func getJsonResponse()([]byte, error) {
fruits := make(map[string]int)
fruits["Apples"] = 25
fruits["Oranges"] = 10


vegetables := make(map[string]int)
vegetables["Carrats"] = 10
vegetables["Beets"] = 0


d := Data{fruits, vegetables}
p := Payload{d}


return json.MarshalIndent(p, "", "  ")
}
195286 次浏览

您可以设置您的内容类型头部,以便客户端知道期望 json

w.Header().Set("Content-Type", "application/json")

将 struct 封送给 json 的另一种方法是使用 http.ResponseWriter构建编码器

// get a payload p := Payload{d}
json.NewEncoder(w).Encode(p)

你可以在你的 getJsonResponse函数中做类似的事情-

jData, err := json.Marshal(Data)
if err != nil {
// handle error
}
w.Header().Set("Content-Type", "application/json")
w.Write(jData)

在 goBuffalo.io 框架中,我让它像这样工作:

// say we are in some resource Show action
// some code is omitted
user := &models.User{}
if c.Request().Header.Get("Content-type") == "application/json" {
return c.Render(200, r.JSON(user))
} else {
// Make user available inside the html template
c.Set("user", user)
return c.Render(200, r.HTML("users/show.html"))
}

然后,当我想获得该资源的 JSON 响应时,我必须将“ Content-type”设置为“ application/JSON”,这样就可以工作了。

我认为 Rails 有更方便的方法来处理多种响应类型,到目前为止我还没有在 goBuffalo 看到同样的方法。

其他用户在编码时评论说 Content-Typeplain/text
您必须首先使用 w.Header().Set()设置内容类型,然后使用 w.WriteHeader()编写 HTTP 响应代码。

如果你先调用 w.WriteHeader(),那么在你得到 plain/text之后再调用 w.Header().Set()

示例处理程序可能如下所示:

func SomeHandler(w http.ResponseWriter, r *http.Request) {
data := SomeStruct{}
w.Header().Set("Content-Type", "application/json")
w.WriteHeader(http.StatusCreated)
json.NewEncoder(w).Encode(data)
}

你可以使用这个 包渲染器,我已经写过来解决这类问题,它是一个服务于 JSON,JSONP,XML,HTML 等的包装器。

这是一个恰当的例子作为补充答案:

func (ch captureHandler) ServeHTTP(w http.ResponseWriter, r *http.Request) {
switch r.Method {
case http.MethodPost:
body, err := ioutil.ReadAll(r.Body)
if err != nil {
http.Error(w, fmt.Sprintf("error reading request body, %v", err), http.StatusInternalServerError)
return
}
...do your stuff here...
case http.MethodGet:
w.Header().Set("Content-Type", "application/json")
err := json.NewEncoder(w).Encode( ...put your object here...)
if err != nil {
http.Error(w, fmt.Sprintf("error building the response, %v", err), http.StatusInternalServerError)
return
}
default:
http.Error(w, fmt.Sprintf("method %s is not allowed", r.Method), http.StatusMethodNotAllowed)
}
}