view
层用的SpringMVC
,在前端提交中文值表单后后端得到的是乱码,html
、tomcat
的字符集设置都是utf-8
没问题。考虑是否因为web.xml
中CharacterEncodingFilter
配置靠后的问题。
果不其然,把CharacterEncodingFilter
过滤器从配置文件的最后移到最前面,后端得到的值正常了,不再乱码。
<web-app version="3.0"
xmlns="http://java.sun.com/xml/ns/javaee"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://java.sun.com/xml/ns/javaee http://java.sun.com/xml/ns/javaee/web-app_3_0.xsd">
<display-name>Archetype Created Web Application</display-name>
<!--配置字符集过滤器-->
<filter>
<filter-name>characterEncodingFilter</filter-name>
<filter-class>org.springframework.web.filter.CharacterEncodingFilter</filter-class>
<init-param>
<param-name>encoding</param-name>
<param-value>UTF-8</param-value>
</init-param>
<init-param>
<param-name>forceEncoding</param-name>
<param-value>true</param-value>
</init-param>
</filter>
<filter-mapping>
<filter-name>characterEncodingFilter</filter-name>
<url-pattern>/*</url-pattern>
</filter-mapping>
……
</web-app>
可是回传到前端的该值(String
类型)依然乱码,网上查了一下,原来是因为SpringMVC
的@ResponseBody
注解可以将请求方法返回的对象直接转换成JSON
对象,但是返回值是String
类型的时候,在页面显示中文会乱码,是因为其中字符串转换和对象转换用的是两个转换器,而String
的转换器中固定了转换编码为ISO-8859-1
;
于是在@ResponseBody
注解中加入参数produces = "text/html; charset=UTF-8"
,这下好了,回传值不再乱码。
@ResponseBody
@RequestMapping(path = "/nono", method = RequestMethod.POST, produces = "text/html;charset=UTF-8")
public String nono(@RequestParam(value = "name", required = false, defaultValue = "No One") String name,
@RequestParam(value = "id", required = false, defaultValue = "1234567890") Integer id) {
System.out.println("name = " + name + "\nid = " + id);
return "name = " + name + "\nid = " + id;
}
或者还有一种方法,在springmvc.xml
中直接配置:
<!--返回String类型数据乱码解决-->
<mvc:annotation-driven>
<mvc:message-converters>
<bean class="org.springframework.http.converter.StringHttpMessageConverter">
<property name="defaultCharset" value="UTF-8" />
</bean>
</mvc:message-converters>
</mvc:annotation-driven>
网友评论