我正在尝试将一个对象发布到使用Spring MVC实现的RESTful服务,但它不起作用。
在我的测试页面中,我有:
var obj = { tobj: {id: 1, desc: 'yesh'}};
$.ajax({
url : 'http://localhost:8180/CanvassService/canvass/test',
type : 'POST',
data : JSON.stringify(obj),
contentType : 'application/json; charset=utf-8',
dataType : 'json',
async : false,
success : function(msg) {
alert(msg);
}
});
我正在使用json2.js对我的对象进行字符串化。
在我的控制器中我有:
@RequestMapping(value="/canvass/test", method = RequestMethod.POST)
public void createTest(@RequestParam TestObj tobj)
throws ServiceOperationException {
// test method
int i = 0;
System.out.println(i);
}
我的实体类是:
public class TestObj {
private int id;
private String desc;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getDesc() {
return desc;
}
public void setDesc(String desc) {
this.desc = desc;
}
}
当我将对象发布到控制器时,我收到HTTP 400错误:
HTTP状态400 - 必需的TestObj参数'tobj'不存在
我做错了什么?我发送的参数/对象的格式似乎不正确,但我无法理解为什么......
答案 0 :(得分:1)
您正在使用JSON数据进行POST,而在您的控制器中,您尝试将其解释为参数(即。?tobj=someValue
)。
尝试改为使用以下内容:
@RequestMapping(value="/canvass/test", method = RequestMethod.POST)
public void createTest(@RequestBody TestObj tobj)
throws ServiceOperationException {
// test method
int i = 0;
System.out.println(i);
}
此外,您不必嵌套JSON数据:
所以{id: 1, desc: 'yesh'}
代替{ tobj: {id: 1, desc: 'yesh'}}
Jackons在水下使用,这应该可行。