我正在尝试将 Map 的 JSON 表示形式作为 POST 参数发送到我的控制器中。
@RequestMapping(value = "/search.do", method = RequestMethod.GET, consumes = { "application/json" })
public @ResponseBody Results search(@RequestParam("filters") HashMap<String,String> filters, HttpServletRequest request) {
//do stuff
}
我发现 @RequestParam 只会抛出 500 错误,所以我尝试改用 @ModelAttribute。
@RequestMapping(value = "/search.do", method = RequestMethod.GET, consumes = { "application/json" })
public @ResponseBody Results search(@ModelAttribute("filters") HashMap<String,String> filters, HttpServletRequest request) {
//do stuff
}
这将正确响应请求,但我意识到地图是空的。通过后来的实验,我发现任何对象(不仅仅是 HashMap)都会被实例化,但不会填写任何字段。我的类路径中有 Jackson,我的控制器将使用 JSON 响应。但是,我当前的配置似乎不允许 Spring 通过 GET/POST 参数读取 JSON。
如何将来自客户端 AJAX 请求的对象的 JSON 表示形式作为请求参数传递给 Spring 控制器并获取 Java 对象?
编辑添加我的相关 Spring 配置
<bean class="org.springframework.web.servlet.view.ContentNegotiatingViewResolver">
<property name="mediaTypes">
<map>
<entry key="html" value="text/html" />
<entry key="json" value="application/json" />
</map>
</property>
<property name="viewResolvers">
<list>
<bean class="org.springframework.web.servlet.view.UrlBasedViewResolver">
<property name="viewClass" value="org.springframework.web.servlet.view.JstlView" />
<property name="prefix" value="/WEB-INF/jsp/" />
<property name="suffix" value=".jsp" />
</bean>
</list>
</property>
<property name="defaultViews">
<list>
<bean class="org.springframework.web.servlet.view.json.MappingJacksonJsonView">
<property name="prefixJson" value="true" />
</bean>
</list>
</property>
</bean>
<bean class="org.springframework.web.servlet.mvc.annotation.AnnotationMethodHandlerAdapter">
<property name="messageConverters">
<list>
<bean class="org.springframework.http.converter.json.MappingJacksonHttpMessageConverter"/>
</list>
</property>
</bean>
根据评论者的建议,我尝试了@RequestBody。这将起作用,只要 JSON 字符串用双引号引起来。
@RequestMapping(value = "/search.do", method = RequestMethod.POST, consumes = { "application/json" })
public @ResponseBody Results<T> search(@RequestBody HashMap<String,String> filters, HttpServletRequest request) {
//do stuff
}
这确实解决了我的直接问题,但我仍然对如何通过 AJAX 调用传入多个 JSON 对象感到好奇。