首页 > 代码库 > Java国际化(i18n)

Java国际化(i18n)

Java国际化(i18n)

最近在做一个网站国际化的功能。用Java做开发,使用spring+velocity.

Java提供了对i18n的支持,spring对其做了集成,可以很方便的配置。主要思想就是根据语言来读取不同的配置文件,来显示对应的文本。主要步骤如下:

1. 用两个properties文件来保存“符号”到对应语言的映射。如messages_en.properties和messages_zh.properties, 将其放到工程的classPath下

#messages_en.propertiestitle=service introduction

#messages_cn.properties

title=\u670d\u52a1\u8bf4\u660e

 注意中文要使用unicode编码

2. 配置spring的xml文件:

    spring提供了多种国际化的支持方式,如基于浏览器,session和cookie等。项目中使用cookie方式

  

<bean id="localeResolver" class="org.springframework.web.servlet.i18n.CookieLocaleResolver">       <property name="cookieMaxAge" value="http://www.mamicode.com/604800"/>       <property name="defaultLocale" value="http://www.mamicode.com/zh_CN"/>       <property name="cookieName" value="http://www.mamicode.com/lang"/>     </bean>

  声明1中的资源文件

<bean id="messageSource" class="org.springframework.context.support.ResourceBundleMessageSource">        <property name="basename" value="http://www.mamicode.com/messages"/>        <property name="useCodeAsDefaultMessage" value="http://www.mamicode.com/true" />    </bean>

  使用拦截器来处理请求,让对应的页面国际化

<bean id="localeChangeInterceptor" class="org.springframework.web.servlet.i18n.LocaleChangeInterceptor" />...<property name="interceptors" ref="localeChangeInterceptor"></property>
...

  或者

<mvc:interceptors>	<bean class="org.springframework.web.servlet.i18n.LocaleChangeInterceptor" />	<mvc:interceptor>			...	</mvc:interceptor></mvc:interceptors>

 

然后在vm页面中调用占位符就可以了

#springMessage("title")

3. 另外可以写一个controller来切换语言

@RequestMapping("/lang")public String lang(    HttpServletRequest request, HttpServletResponse response) throws   Exception {    String langType = request.getParameter("langType");    if ("en".equals(langType)) {        cookieLocaleResolver.setLocale(request, response, Locale.ENGLISH);    } else {        cookieLocaleResolver.setLocale(request, response, Locale.CHINA);    }    return null;}

 

  

Java国际化(i18n)