JQuery, Spring MVC @Request Body 및 JSON - 연계 동작
Java 시리얼라이제이션에 대한 양방향 JSON을 원합니다.
Java to JSON to JQuery 경로를 성공적으로 사용하고 있습니다.(@ResponseBody
★)
@RequestMapping(value={"/fooBar/{id}"}, method=RequestMethod.GET)
public @ResponseBody FooBar getFooBar(
@PathVariable String id,
HttpServletResponse response , ModelMap model) {
response.setContentType("application/json");
...
}
JQuery에서 사용하는 것은
$.getJSON('fooBar/1', function(data) {
//do something
});
이는 잘 작동한다(예를 들어 모든 응답자 덕분에 주석이 이미 작동한다).
단, Request Body를 사용하여 Java 객체에 JSON을 다시 시리얼화하려면 어떻게 해야 합니까?
아무리 노력해도 이런 일은 할 수 없어요
@RequestMapping(value={"/fooBar/save"}, method=RequestMethod.POST)
public String saveFooBar(@RequestBody FooBar fooBar,
HttpServletResponse response , ModelMap model) {
//This method is never called. (it does when I remove the RequestBody...)
}
Jackson이 올바르게 설정되어 있고(출구 시에 시리얼화), MVC가 주석 구동으로 설정되어 있습니다.
어떻게 하면 될까요?그게 가능합니까?아니면 스프링 / JSON / JQuery는 단방향(아웃)입니까?
업데이트:
잭슨 설정을 바꿨어요.
<bean id="jsonHttpMessageConverter"
class="org.springframework.http.converter.json.MappingJacksonHttpMessageConverter" />
<!-- Bind the return value of the Rest service to the ResponseBody. -->
<bean
class="org.springframework.web.servlet.mvc.annotation.AnnotationMethodHandlerAdapter">
<property name="messageConverters">
<util:list id="beanList">
<ref bean="jsonHttpMessageConverter" />
<!-- <ref bean="xmlMessageConverter" /> -->
</util:list>
</property>
</bean>
(거의 유사한) 제안대로
<bean id="jacksonMessageConverter"
class="org.springframework.http.converter.json.MappingJacksonHttpMessageConverter"></bean>
<bean
class="org.springframework.web.servlet.mvc.annotation.AnnotationMethodHandlerAdapter">
<property name="messageConverters">
<list>
<ref bean="jacksonMessageConverter" />
</list>
</property>
</bean>
그리고 효과가 있는 것 같아요!정확히 무슨 속임수인지는 모르겠지만 효과가 있어
등록만 하면 됩니다.
(XML 또는 Java에서 경유하는 것이 가장 쉬운 방법입니다)
참조:
다음으로 작업 예를 제시하겠습니다.
메이븐 POM
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/maven-v4_0_0.xsd">
<modelVersion>4.0.0</modelVersion><groupId>test</groupId><artifactId>json</artifactId><packaging>war</packaging>
<version>0.0.1-SNAPSHOT</version><name>json test</name>
<dependencies>
<dependency><!-- spring mvc -->
<groupId>org.springframework</groupId><artifactId>spring-webmvc</artifactId><version>3.0.5.RELEASE</version>
</dependency>
<dependency><!-- jackson -->
<groupId>org.codehaus.jackson</groupId><artifactId>jackson-mapper-asl</artifactId><version>1.4.2</version>
</dependency>
</dependencies>
<build><plugins>
<!-- javac --><plugin><groupId>org.apache.maven.plugins</groupId><artifactId>maven-compiler-plugin</artifactId>
<version>2.3.2</version><configuration><source>1.6</source><target>1.6</target></configuration></plugin>
<!-- jetty --><plugin><groupId>org.mortbay.jetty</groupId><artifactId>jetty-maven-plugin</artifactId>
<version>7.4.0.v20110414</version></plugin>
</plugins></build>
</project>
src/main/webapp/WEB-INF 폴더 내
web.xml
<web-app xmlns="http://java.sun.com/xml/ns/j2ee" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://java.sun.com/xml/ns/j2ee http://java.sun.com/xml/ns/j2ee/web-app_2_4.xsd"
version="2.4">
<servlet><servlet-name>json</servlet-name>
<servlet-class>org.springframework.web.servlet.DispatcherServlet</servlet-class>
<load-on-startup>1</load-on-startup>
</servlet>
<servlet-mapping>
<servlet-name>json</servlet-name>
<url-pattern>/*</url-pattern>
</servlet-mapping>
</web-app>
json-servlet.xml
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://www.springframework.org/schema/beans
http://www.springframework.org/schema/beans/spring-beans.xsd">
<import resource="classpath:mvc-context.xml" />
</beans>
src/main/folder:
mvc-syslog.xml
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:mvc="http://www.springframework.org/schema/mvc" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns:context="http://www.springframework.org/schema/context"
xsi:schemaLocation="http://www.springframework.org/schema/mvc http://www.springframework.org/schema/mvc/spring-mvc-3.0.xsd
http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-3.0.xsd
http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context-3.0.xsd">
<mvc:annotation-driven />
<context:component-scan base-package="test.json" />
</beans>
src/main/java/test/json 폴더
Test Controller.java
@Controller
@RequestMapping("/test")
public class TestController {
@RequestMapping(method = RequestMethod.POST, value = "math")
@ResponseBody
public Result math(@RequestBody final Request request) {
final Result result = new Result();
result.setAddition(request.getLeft() + request.getRight());
result.setSubtraction(request.getLeft() - request.getRight());
result.setMultiplication(request.getLeft() * request.getRight());
return result;
}
}
Request.java
public class Request implements Serializable {
private static final long serialVersionUID = 1513207428686438208L;
private int left;
private int right;
public int getLeft() {return left;}
public void setLeft(int left) {this.left = left;}
public int getRight() {return right;}
public void setRight(int right) {this.right = right;}
}
Result.java
public class Result implements Serializable {
private static final long serialVersionUID = -5054749880960511861L;
private int addition;
private int subtraction;
private int multiplication;
public int getAddition() { return addition; }
public void setAddition(int addition) { this.addition = addition; }
public int getSubtraction() { return subtraction; }
public void setSubtraction(int subtraction) { this.subtraction = subtraction; }
public int getMultiplication() { return multiplication; }
public void setMultiplication(int multiplication) { this.multiplication = multiplication; }
}
하려면 , 「 」를 실행합니다.mvn jetty:run
POST를 실시하다
URL: http://localhost:8080/test/math
mime type: application/json
post body: { "left": 13 , "right" : 7 }
Poster Firefox 플러그인을 사용하여 이 작업을 수행했습니다.
응답은 다음과 같습니다.
{"addition":20,"subtraction":6,"multiplication":91}
또한 다음 사항을 확인해야 합니다.
<context:annotation-config/>
spring 구성 xml에 저장하십시오.
이 블로그 투고도 꼭 읽어보시길 권합니다.그것은 나에게 많은 도움이 되었다.봄 블로그 - 봄 3.0의 Ajax 심플화
업데이트:
서 ★★★★★★★★★★★★★★★★★★★★★★★★★★.@RequestBody
이치노설정에는 다음 콩도 있습니다.
<bean id="jacksonMessageConverter" class="org.springframework.http.converter.json.MappingJacksonHttpMessageConverter"></bean>
<bean class="org.springframework.web.servlet.mvc.annotation.AnnotationMethodHandlerAdapter">
<property name="messageConverters">
<list>
<ref bean="jacksonMessageConverter"/>
</list>
</property>
</bean>
어떤 걸 보면 좋을까?Log4j
더 제 으로는 더 많은 정보를 주고 있습니다.@RequestBody
이 "예"가 에 합니다.Application/JSON
Fiddler 2는 Mozilla Live HTTP를 사용합니다.
여기에 있는 답변 외에...
클라이언트측에서 jquery를 사용하고 있는 경우는, 다음과 같이 대응했습니다.
자바:
@RequestMapping(value = "/ajax/search/sync")
public String sync(@RequestBody Foo json) {
Jquery(JSON.stringify 함수를 사용하려면 Douglas Crockford의 json2.js를 포함해야 합니다):
$.ajax({
type: "post",
url: "sync", //your valid url
contentType: "application/json", //this is required for spring 3 - ajax to work (at least for me)
data: JSON.stringify(jsonobject), //json object or array of json objects
success: function(result) {
//do nothing
},
error: function(){
alert('failure');
}
});
메시지 변환기를 직접 설정하지 않으면 @EnableWebMvc 또는 <mvc:annotation-drived /> 중 하나를 사용하여 클래스 경로에 잭슨을 추가하면 기본적으로는 Spring에서 JSON, XML(및 기타 몇 가지 변환기)을 모두 사용할 수 있습니다.또한 변환, 포맷 및 검증에 일반적으로 사용되는 몇 가지 기능이 제공됩니다.
JSON 2 및 Spring 3.2.0 콜에 Curl을 사용할 의향이 있는 경우 FAQ를 여기에서 확인하십시오.AnnotationMethodHandlerAdapter는 권장되지 않으며 RequestMappingHandlerAdapter로 대체됩니다.
언급URL : https://stackoverflow.com/questions/5908466/jquery-spring-mvc-requestbody-and-json-making-it-work-together
'programing' 카테고리의 다른 글
여러 패턴에 대한 스프링 부트에서의 여러 Web Security Configurer Adapter (0) | 2023.03.16 |
---|---|
PreAuthorize 오류 처리 (0) | 2023.03.11 |
Reactjs onPaste 이벤트에서 값을 붙여넣는 방법 (0) | 2023.03.11 |
스프링 부트 유닛 테스트 자동 전원 공급 (0) | 2023.03.11 |
WordPress Hack"__123__POST TITLE – 사이트명__123__" (0) | 2023.03.11 |