SpringMVC 國際化
SpringMVC 國際化
作為當前比較流行的MVC框架,SpringMVC也支持國際化。國際化說白了就是可以設置不同的語言。
Spring 國際化的步驟
- 給系統定義國際化的資源文件。
輸出國際化,這需要兩點的支持,
- 1,在視圖輸出界面使用SpringMVC的標簽庫 spring:message
- 2,在Controller的處理方法中,進行相應的處理。
配置及編碼
springmvc-config.xml 配置信息
messageSource
首先要告訴springmvc多語言文件保存在哪裏,這裏使用的是messageSource bean。
message_en_US.properties
loginname= Login name:
password = Password:
submit = Submit
message_zh_CN.properties
loginname= 用戶名:
password = 密碼:
submit = 提交
還有一個message.properties和message_en_US.properties內容相同
<bean id="messageSource"
class="org.springframework.context.support.ResourceBundleMessageSource" >
<!-- 國際化資源文件名 -->
<property name="basenames" >
<list>
<value>message</value>
<value>chris</value>
</list>
</property>
</bean>
其中basenames 用來指定國際化文件的名稱,如果只有一個,也可以寫成basename
<bean id="messageSource"
class="org.springframework.context.support.ResourceBundleMessageSource">
<!-- 國際化資源文件名 -->
<property name="basename" value="message"/>
</bean>
localeResolver
在定義完資源信息後,就需要定義解析資源的類了,SpringMVC提供了一個語言解析器接口LocaleResolver 並提供了3個默認的實現:
- AcceptHeaderLocaleResolver
- SessionLocaleResolver
- CookieLocaleResolver
AcceptHeaderLocaleResovler是SpringMVC默認使用的配置,只要在springmvc-config.xml中使用默認配置即可。
<mvc:annotation-driven/>
如果想使用SessionLocleResolver或CookieLocaleResolver則要在配置文件中配置,配置如下,
<mvc:interceptors>
<!-- 國際化操作攔截器 如果采用基於(Session/Cookie)則必需配置 -->
<bean class="org.springframework.web.servlet.i18n.LocaleChangeInterceptor" />
</mvc:interceptors>
<!-- SessionLocaleResolver 配置 -->
<bean id="localeResolver" class="org.springframework.web.servlet.i18n.SessionLocaleResolver" />
上面的配置以SessionLocaleResolver為例,CookieLocaleResolver 配置類似,不在贅述。
至此,關於xml配置的內容一介紹完畢。
jsp頁面中使用標簽
顯示界面上使用spring的標簽
<%@taglib prefix= "form" uri= "http://www.springframework.org/tags/form" %>
<%@taglib prefix= "spring" uri= "http://www.springframework.org/tags" %>
頁面邏輯的jsp代碼如下。
<form:form modelAttribute="user" method="post" action="login" >
<table>
<tr>
<td><spring:message code="loginname"/></td>
<td><form:input path="loginname"/></td>
</tr>
<tr>
<td><spring:message code="password"/></td>
<td><form:input path="password"/></td>
</tr>
<tr>
<td><input type="submit" value="<spring:message code="submit"/>"/></td>
</tr>
</table>
</form:form>
其中spring:message 用於國際化顯示,code指明綁定的字段。
Controller中的特殊處理
當請求發送到Controller後,後臺代碼要根據請求獲得國際化信息
- 如果使用的是AcceptheaderLocaleResolver,則使用下面的方法獲得國際化信息。
```java
RequestContext requestContext = new RequestContext(request);
String username = requestContext.getMessage("username");
user.setUsername(username);
model.addAttribute("user", user);
return "success";
```
如果使用的SessionLocaleResolver,則需要在在session中添加屬性,進行語言環境切換。
Locale locale = new Locale("zh", "CN"); request.getSession().setAttribute(SessionLocaleResolver.LOCALE_SESSION_ATTRIBUTE_NAME,locale);
如果使用CoolieResolver,則也需要在Cookie中設置語言環境
Locale locale = new Locale("zh", "CN"); (new CookieLocaleResolver()).setLocale (request, response, locale);
SpringMVC 國際化