我知道可以使用 jQuery Ajax 进行 ajax 发布,但调用如何返回值、文本、html 或 json?谢谢!
问问题
1910 次
1 回答
9
这里有一个很好的关于在 Go 中创建 Web 应用程序的入门:http: //golang.org/doc/articles/wiki/
saveHandler 函数中给出了处理 POST 的示例:
func saveHandler(w http.ResponseWriter, r *http.Request) {
title := r.URL.Path[lenPath:]
body := r.FormValue("body")
p := &Page{Title: title, Body: []byte(body)}
p.save()
http.Redirect(w, r, "/view/"+title, http.StatusFound)
}
在你的情况下,而不是重定向,只返回一个字符串,例如。
func saveHandler(w http.ResponseWriter, r *http.Request) {
value := r.FormValue("inputVal")
err := saveFunction(value)
if err == nil {
fmt.Fprintf(w, "OK")
} else {
fmt.Fprintf(w, "NG")
}
}
func main() {
http.HandleFunc("/", indexHandler)
http.HandleFunc("/save", saveHandler)
http.ListenAndServe(":8080", nil)
}
.. 并且(因为您使用的是 jQuery),使用回调处理它,如http://api.jquery.com/jQuery.post/所示:
$.post('/save', {inputVal: "banana"}, function(data) {
if(data == "OK") {
alert("Saved!");
} else {
alert("Save Failed!");
}
});
如果你想返回 JSON,你需要学习如何编组你的数据,然后像我们返回上面的字符串一样返回它。
这是 JSON 文档的链接:http: //golang.org/pkg/encoding/json/#Marshal
A good way to get familiar with how to use it is to have a play around on http://play.golang.org, marshalling and unmarshalling structs and printing them out. Here's an example: http://play.golang.org/p/OHVEGzD8KW
于 2013-01-17T01:19:58.397 回答