欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

Spring MVC 关于controller的字符编码问题

程序员文章站 2024-03-04 18:46:30
在使用springmvc框架构建web应用,客户端常会请求字符串、整型、json等格式的数据,通常使用@responsebody注解使 controller回应相应的数据而...

在使用springmvc框架构建web应用,客户端常会请求字符串、整型、json等格式的数据,通常使用@responsebody注解使 controller回应相应的数据而不是去渲染某个页面。如果请求的是非英文格式的字符串,往往在客户端显示的是乱码。原因是spring的 stringhttpmessageconverter默认的字符类型是iso8895-1 ‘西欧语言',中文等字符需要单独指定。

这里总结几种解决方案:

1.不使用@responsebody注解,使用httpserveletresponse设置contenttype属性

@requestmapping(value ="/rest/create/document") 
public void create(document document, httpservletrespone respone) { 
repoonse.setcontenttype("text/plain;charset='utf-8'"); 
response.write("中文string"); 
}

2.返回response entity object,设置contenttype,例:

@requestmapping(value = "/rest/create/document") public responseentity<string> create(document document, httpservletrespone respone) { 
httpheaders responseheaders = new httpheaders(); responseheaders.add("content-type", "text/html; charset=utf-8"); 
document newdocument = documentservice.create(document); 
string json = jsonserializer.serialize(newdocument); 
return new responseentity<string>(json, responseheaders, httpstatus.ok); 
}

3.使用produces属性:

@requestmapping(value = "/rest/create/document",produces= "text/plain;charset=utf-8") //返回的内容类型
@responsebody 
public string create(document document, httpservletrespone respone) throws unsupportedencodingexception { 
document newdocument = documentservice.create(document); 
return jsonserializer.serialize(newdocument); 
}

@requestmapping

参数绑定(@requestparam、 @requestbody、 @requestheader 、 @pathvariable)

package org.springframework.web.bind.annotation;

import java.lang.annotation.documented;
import java.lang.annotation.elementtype;
import java.lang.annotation.retention;
import java.lang.annotation.retentionpolicy;
import java.lang.annotation.target;
import org.springframework.web.bind.annotation.mapping;
import org.springframework.web.bind.annotation.requestmethod;

@target({elementtype.method, elementtype.type})
@retention(retentionpolicy.runtime)
@documented
@mapping
public @interface requestmapping {
  string name() default "";

  string[] value() default {};

  requestmethod[] method() default {};

  string[] params() default {};

  string[] headers() default {};

  string[] consumes() default {};

  string[] produces() default {};
}

requestmapping是一个用来处理请求地址映射的注解,可用于类或方法上。用于类上,表示类中的所有响应请求的方法都是以该地址作为父路径。

requestmapping注解有六个属性。

1、value, method;

value: 指定请求的实际地址,指定的地址可以是uri template 模式(后面将会说明);

method: 指定请求的method类型, get、post、put、delete等;

2、consumes,produces;

consumes: 指定处理请求的提交内容类型(content-type),例如application/json, text/html;

produces: 指定返回的内容类型,仅当request请求头中的(accept)类型中包含该指定类型才返回;

3、params,headers;

params: 指定request中必须包含某些参数值是,才让该方法处理。

headers: 指定request中必须包含某些指定的header值,才能让该方法处理请求。

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。