一、导包
一定要有 Jackson 的jar包依赖,就算有了fastjson,也要有Jackson包
<dependency>
<groupId>com.fasterxml.jackson.core</groupId>
<artifactId>jackson-databind</artifactId>
<version>2.9.8</version>
</dependency>
<dependency>
<groupId>com.fasterxml.jackson.core</groupId>
<artifactId>jackson-core</artifactId>
<version>2.9.8</version>
</dependency>
<dependency>
<groupId>com.fasterxml.jackson.core</groupId>
<artifactId>jackson-annotations</artifactId>
<version>2.9.8</version>
</dependency>
二、SpringMVC获取json数据方法(后端)
1、以RequestParam接收
前端传来的是json数据不多时:[id:id],可以直接用@RequestParam来获取值
@Autowired
private AccomodationService accomodationService;
@RequestMapping(value = "/update")
@ResponseBody
public String updateAttr(@RequestParam ("id") int id) {
int res=accomodationService.deleteData(id);
return "success";
}
1、以实体类方式接收(推荐)
前端传来的是一个json对象时:{【id,name】},可以用实体类直接进行自动绑定
@Autowired
private AccomodationService accomodationService;
@RequestMapping(value = "/add")
@ResponseBody
public String addObj(@RequestBody Accomodation accomodation) {
this.accomodationService.insert(accomodation);
return "success";
}
1、以Map接收
前端传来的是一个json对象时:{【id,name】},可以用Map来获取
@Autowired
private AccomodationService accomodationService;
@RequestMapping(value = "/update")
@ResponseBody
public String updateAttr(@RequestBody Map<String, String> map) {
if(map.containsKey("id"){
Integer id = Integer.parseInt(map.get("id"));
}
if(map.containsKey("name"){
String objname = map.get("name").toString();
}
// 操作 ...
return "success";
}
4、以List接收
当前端传来这样一个json数组:[{id,name},{id,name},{id,name},...]时,用List<E>接收
@Autowired
private AccomodationService accomodationService;
@RequestMapping(value = "/update")
@ResponseBody
public String updateAttr(@RequestBody List<Accomodation> list) {
for(Accomodation accomodation:list){
System.out.println(accomodation.toString());
}
return "success";
}
三、用ajax向后台传json字符串(前端)
在 $.ajax 中添加 contentType:'application/json' ,让前后端传递的编码一致
用 JSON.stringify() 把 json 对象变成 json 字符串传给后端
ajax默认为 application/x-www-form-urlencoded; charset=UTF-8 ,要穿json数据就不能用默认值
$.ajax({
type: "post",
url: "",
contentType:'application/json', //改为json的编码
data: JSON.stringify(data.field), //传递时把json对象,变成json字符串
dataType: "json", //处理返回的json数据
success: function(data){
JSON.parse(data) //把后端传递的json字符串转为json对象
}
});
处理后端传递的json数据时用 JSON.parse() 把 json 字符串转为 json 对象
题外话:
后端使用 SpringMVC 向前端传 json 时 必须有注解 @ResponseBody
有了Jackson后可以直接传对象,输出时是json数据(里面的数据就是对象里面的值)
@RequestMapping("/postList")
@ResponseBody
public User postList(User user){
System.out.println(user);
return user;
}
或者在类上面加 @RestController
@RestController
public class Controller {
@RequestMapping("/postList")
public User postList(User user){
System.out.println(user);
return user;
}
}