SpringMVC学习笔记 | 在SpringMVC中的国际化

国际化需要解决的问题

  • 在页面上能够根据浏览器语言设置的情况对文本,时间,数值进行本地化处理
    解决:使用JSTL的fmt标签

  • 可以在bean中获取国际化资源文件Locale对应的消息
    解决:在bean中注入ResourceBundleMessageSource的实例,使用其对应的getMessage方法即可

  • 可以通过超链接切换Locale,而不再依赖于浏览器的语言设置情况
    配置LocalResolverLocaleChangeInterceptor

使用jstl的fmt标签来对文本进行本地化处理

我们先新建三个国际化资源文件
i18n.properties:

i18n.user=\u7528\u6237\u540d
i18n.password=\u5bc6\u7801

i18n_en_US.properties:

i18n.user=Username
i18n.password=Password

i18n_zh_CN.properties:

i18n.user=\u7528\u6237\u540d
i18n.password=\u5bc6\u7801

然后在配置文件中配置国际化


        
    

然后在页面中使用fmt标签:
我们定义两个页面,i18n.jsp和i18n2.jsp,一个显示用户名一个显示用户密码,然后在配置文件中配置一个可以直接访问这两个页面的配置:

    
    

i18n.jsp:

<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<%@ taglib prefix="fmt" uri="http://java.sun.com/jsp/jstl/fmt" %>


    Title


    
    

i18n2

i18n2.jsp:

<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<%@ taglib prefix="fmt" uri="http://java.sun.com/jsp/jstl/fmt" %>


    Title


    
    

i18n

通过浏览器访问:
当浏览器的语言首选项是中文时,显示如下:



设置语言首选项是英语:



然后页面的显示如下:

在bean中获取国际化资源文件Locale对应的消息

上述中我们已经在配置文件中配置了ResourceBundleMessageSource,现在我们编写一个方法:

package com.cerr.springmvc.test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.support.ResourceBundleMessageSource;
import org.springframework.http.HttpHeaders;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.*;

import javax.servlet.ServletContext;
import javax.servlet.http.HttpSession;
import java.io.IOException;
import java.io.InputStream;
import java.util.Collection;
import java.util.Date;
import java.util.Locale;

@Controller
public class SpringMVCTest1 {
    @Autowired
    private ResourceBundleMessageSource messageSource;
    @RequestMapping("/i18n")
    public String testI18n(Locale locale){
        String val = messageSource.getMessage("i18n.user",null,locale);
        System.out.println(val);
        return "i18n";
    }
}

显示的效果跟第一种情况一样,并且还会在控制台中打印出来i18n.user的内容。

通过超链接切换Locale

SessionLocaleResolver与LocaleChangeInterceptor工作原理

步骤

  • 编写国际化资源文件
  • 在配置文件中配置SessionLocaleResolverLocaleChangeInterceptor
  • 发请求时传一个locale参数

示例:我们想编写一个通过超链接来切换中英文的Demo
我们先在配置文件里面配置如下:

    
    
    

    
    
        
    

添加两个超链接

<%@ page contentType="text/html;charset=UTF-8" language="java" %>


    Title


    中文
    

英文

这样就可以通过访问超链接来切换中英文了。

你可能感兴趣的:(SpringMVC学习笔记 | 在SpringMVC中的国际化)