我的问题是, 如何在地图对象(变量)中绑定(自动绑定?)自定义结构类型?
这是我的自定义结构类型
type Tetris struct {
... ...
NowBlock map[string]int `form:"nowBlock" json:"nowBlock"`
... ...
}
这是我的ajax代码
$.ajax({
type : "POST"
, url : "/game/tetris/api/control"
, data : {
"keyCode" : keyCode
, "ctxWidth" : ctxWidth
, "ctxHeight" : ctxHeight
, "nowBlock" : {"O":0}
} // also, i did JSON.stringify, but did not binding..
, dataType : "json"
, contentType : "application/json"
}).done(function(data){
... ...
});
然后,不要绑定'NowBlock'
tetris := new(Tetris)
if err := c.Bind(tetris); err != nil {
c.Logger().Error(err)
}
fmt.Println(tetris.NowBlock)
println结果为
'map[]' //nil...
这是我的完整问题链接(GOLANG > How to bind ajax json data to custom struct type?)
请帮助我。
ps。谢谢你回答我。
我很喜欢答案。
但是,它也无法正常工作。
首先
- No 'contentType : "application/json"'
- don't use JSON.stringify
then, in go side,
- fmt.println(tetris.KeyCode) // OK
- fmt.println(tetris.NowBlock) // NOT OK.. 'map[]'
第二,
- Use 'contentType : "application/json"'
- Use JSON.stringify
then, in go side,
- fmt.println(tetris.KeyCode) // NOT OK.. '' (nil)
- fmt.println(tetris.NowBlock) // NOT OK.. 'map[]'
第三,
i remove the custom struct type Tetris NowBlock object's `form:nowBlock` literal,
but is does not working too...
为什么不将自定义结构类型绑定到地图对象中?
我非常抱歉我解决了这个问题。
问题是我的go自定义结构类型具有另一个自定义结构类型。
像这样
type Tetris struct {
Common Common
NowBlock map[string]int `json:"nowBlock"`
}
type Common struct {
CtxWidth int `json:"ctxWidth"`
CtxHeight int `json:"ctxHeight"`
KeyCode int `form:"keyCode" json:"keyCode"`
}
在这种情况下,我做了
$.ajax({
type : "POST"
, url : "/game/tetris/api/control"
, data : {
"keyCode" : keyCode
, "ctxWidth" : ctxWidth
, "ctxHeight" : ctxHeight
, "nowBlock" : {"O":0}
} // also, i did JSON.stringify, but did not binding..
, dataType : "json"
, contentType : "application/json"
}).done(function(data){
... ...
});
但是,这是错误的! 正确的是,
$.ajax({
type : "POST"
, url : "/game/tetris/api/control"
, data : JSON.stringify({
"Common" : {
"keyCode" : keyCode
, "ctxWidth" : ctxWidth
, "ctxHeight" : ctxHeight
}
, "nowBlock" : {"O":0}
})
, dataType : "json"
, contentType : "application/json"
}).done(function(data){
... ...
在json数据中,“通用”结构类型的数据必须具有“通用”“键:值”映射...
我很高兴您的回答和关注。
答案 0 :(得分:0)
也许您应该删除结构标签'form',当您使用'application / json'发送数据时,'form'标签未使用。
当我只添加'json'标签时,程序运行良好;如果添加'form'标签,则echo使用'form'并得到错误。
希望这可以为您提供帮助。
答案 1 :(得分:0)
您的go代码没有问题。为什么echo .Bind()
无法检索从AJAX发送的有效载荷,是因为有效载荷不是JSON格式。
在$.ajax
上,您需要JSON.stringify()
将数据转换为JSON字符串格式。
JSON.stringify({
"keyCode" : keyCode
, "ctxWidth" : ctxWidth
, "ctxHeight" : ctxHeight
, "nowBlock" : {"O":0}
})
将contentType
设置为application/json
不会自动将有效负载转换为JSON字符串。这就是为什么仍然需要JSON.stringy()
的原因。
全部更改:
var payload = JSON.stringify({
"keyCode": keyCode,
"ctxWidth": ctxWidth,
"ctxHeight": ctxHeight,
"nowBlock": {
"O": 0
}
})
$.ajax({
type: "POST",
url: "/game/tetris/api/control",
data: payload,
dataType: "json",
contentType: "application/json"
}).done(function(data) {
......
});