0

我有一个像这样的 jQuery ajax 调用:

var arr = ["a", "b", "c"];
$.get("/test", {testArray: arr}, function(data) {
    alert(data);
});

服务器端:

@RequestMapping(value = "/test", method = RequestMethod.GET)
public String addAnotherAppointment(
        HttpServletRequest request,
        HttpServletResponse response,
                    @RequestParam("arr") arr,
        Model model,
        BindingResult errors) {
}

那么如何接收参数呢?

谢谢。

4

2 回答 2

3

如果您使用 spring 3.0++,请使用“@ResponseBody”注解。

你想发送一个 json 请求,并接收来自 json 的响应吗?如果是这样,您将像这样更改您的代码。

var list = {testArray:["a", "b", "c"]};
$.ajax({
    url : '/test',
    data : $.toJSON(list),
    type : 'POST', //<== not 'GET',
    contentType : "application/json; charset=utf-8",
    dataType : 'json',
    error : function() {
        console.log("error");
    },
    success : function(arr) {
        console.log(arr.testArray);
        var testArray = arr.testArray;
         $.each(function(i,e) {
             document.writeln(e);
         });
    }
  });

服务器端:

  1. 创建自己的“Arr”类。

    public class Arr {
     private List<String> testArray;
     public void setTestArray(List<String> testArray) {
         this.testArray = testArray;
     }
     public List<String> getTestArray() {
         return testArray;
     }
     }
    

    @RequestMapping(value = "/test", method = RequestMethod.POST)
    @ResponseBody// <== this annotation will bind Arr class and convert to json response.
       public Arr addAnotherAppointment(
       HttpServletRequest request,
        HttpServletResponse response,
        @RequestBody Arr arr, 
        Model model,
        BindingResult errors) {
            return arr;
    }
    
于 2013-01-29T03:04:21.547 回答
1

更改@RequestParam("arr") arr,@RequestParam("testArray") String[] arr

还将您的 HTTP 方法从更改getpost

请注意 @RequestParam 值必须与从 jquery ajax 发送的参数名称匹配。在您的情况下,参数名称是testArray,值是arr

于 2013-01-29T05:41:48.527 回答