2

我正在尝试使用 Go 将 JSON 格式的请求从我的应用程序的 Javascript 前端发送到 App Engine。如何将请求解析为处理程序中的结构?

例如,我的请求是带有请求有效负载的 POST

{'Param1':'Value1'}

我的结构是

type Message struct {
    Param1 string
  }                                    

和变量

var m Message                               

应用引擎文档中的示例使用 FormValue 函数来获取标准请求值,当您使用 json 时,这似乎不起作用。

一个简单的例子将不胜感激。

4

2 回答 2

5

官方文档还不错,见:

http://golang.org/doc/articles/json_and_go.html

它提供了用于编码/解码为已知结构(您的示例)的示例,还展示了如何使用反射来实现它,类似于您通常在更多脚本语言中的实现方式。

于 2013-01-19T20:56:15.297 回答
1

You could send the data in a form field, but typically you'll just read it from the response.Body. Here's a minimal jQuery & App Engine example:

package app

import (
    "encoding/json"
    "fmt"
    "io/ioutil"
    "net/http"
    "strings"
)

func init () {
    http.HandleFunc("/", home)
    http.HandleFunc("/target", target)
}

const homePage =
`<!DOCTYPE html>
<html>
<head>
    <script src="//ajax.googleapis.com/ajax/libs/jquery/1.8.3/jquery.min.js"></script>
</head>
<body>
    <form action="/target" id="postToGoHandler">
    <input type="submit" value="Post" />
    </form>
    <div id="result"></div>
<script>
$("#postToGoHandler").submit(function(event) {
    event.preventDefault();
    $.post("/target", JSON.stringify({"Param1": "Value1"}),
        function(data) {
            $("#result").empty().append(data);
        }
    );
});
</script>
</body>
</html>`

func home(w http.ResponseWriter, r *http.Request) {
    fmt.Fprint(w, homePage)
}

type Message struct {
    Param1 string
}

func target(w http.ResponseWriter, r *http.Request) {
    defer r.Body.Close()
    if body, err := ioutil.ReadAll(r.Body); err != nil {
        fmt.Fprintf(w, "Couldn't read request body: %s", err)
    } else {
        dec := json.NewDecoder(strings.NewReader(string(body)))
        var m Message
        if err := dec.Decode(&m); err != nil {
            fmt.Fprintf(w, "Couldn't decode JSON: %s", err)
        } else {
            fmt.Fprintf(w, "Value of Param1 is: %s", m.Param1)
        }
    }
}
于 2013-01-20T12:41:53.270 回答