Spring i18n – 国际化资源解析
MessageSource
是一个接口,它定义了几个解析消息的方法。ApplicationContext
接口扩展了这个接口,以便所有应用程序上下文都能够解析文本消息。
应用程序上下文将消息解析委托给具有精确名称
messageSource
的 bean。ResourceBundleMessageSource
是最常见的MessageSource
实现,它解析来自不同地区的资源包的消息
一、 使用 ResourceBundleMessageSource 解析消息
例如,您可以创建以下资源包,即 messages _ en _ us。美国的英语语言。资源束将从类路径的根加载。
1.1 创建资源包
在 spring 应用程序的类路径中创建一个文件名 messages _ en _ us. properties。
messages_en_US.properties
msg.text=Welcome to mine.com
1.2 配置 ResourceBundleMessageSource bean
现在将 ResourceBundleMessageSource 类配置为 bean 名称“ messageSource”。此外,还必须为 ResourceBundleMessageSource 指定资源包的基名称。
applicationContext.xml
<bean id="messageSource" class="org.springframework.context.support.ResourceBundleMessageSource">
<property name="basename">
<value>messages</value>
</property>
</bean>
2.资源包查找顺序
- 对于此 messageSource 定义,如果查找首选语言为英语的美国语言环境的文本消息,则资源包消息为 en _ us。语言和国家相匹配的属性将被优先考虑。
- 如果没有这样的资源包或者消息不能被找到,那么一个消息 _ en。只与该语言匹配的属性将被考虑。
- 如果仍然找不到这个资源包,则最终将选择所有区域设置的默认 messages.properties。
3. Demo-如何使用 MessageSource
3.1 直接获取消息
现在要检查消息是否可以加载,请运行以下代码:
TestSpringContext.java
public class TestSpringContext
{
@SuppressWarnings("resource")
public static void main(String[] args) throws Exception
{
ApplicationContext context = new ClassPathXmlApplicationContext("applicationContext.xml");
String message = context.getMessage("msg.text", null, Locale.US);
System.out.println(message);
}
}
输出:
//控制台输出
Welcome to mine.com
3.2 在 bean 中实现 MessageSourceAware 接口
很好,这样我们就能解析消息了。但是,在这里我们直接访问 ApplicationContext,所以看起来很容易。如果我们想在某个 bean 实例中访问消息,那么我们需要实现 ApplicationContextAware 接口或 MessageSourceAware 接口。
代码大概是这样:
EmployeeController.java
public class EmployeeController implements MessageSourceAware {
private MessageSource messageSource;
public void setMessageSource(MessageSource messageSource) {
this.messageSource = messageSource;
}
//Other code
}
现在可以使用此 messageSource 实例检索/解析资源文件中定义的文本消息。
转载自:https://juejin.cn/post/7082176912658792455