我有一个枚举,其中值以utf8格式呈现.因此我在jsp视图中遇到了一些编码问题.有没有办法从我的messages.properties文件中获取值.如果我的属性文件中有以下行,该怎么办:
shop.first=Первый
shop.second=Второй
shop.third=Третий
我怎么能在枚举中注入它们?
public enum ShopType {
FIRST("Первый"),SECOND("Второй"),THIRD("Третий");
private String label;
ShopType(String label) {
this.label = label;
}
public String getLabel() {
return label;
}
public void setLabel(String label) {
this.label = label;
}
}
最佳答案
我经常有类似的用例,我通过将键(不是本地化的值)作为枚举属性来处理.使用ResourceBundle(或使用Spring时的MessageSource),我可以在需要时解析任何此类本地化字符串.这种方法有两个优点:
原文链接:https://www.f2er.com/spring/431528.html>所有本地化字符串都可以存储在一个.properties文件中,这样可以消除Java类中的所有编码问题;
>它使代码完全可本地化(事实上,它将是每个语言环境一个.properties文件).
这样,你的枚举将如下所示:
public enum ShopType {
FIRST("shop.first"),SECOND("shop.second"),THIRD("shop.third");
private final String key;
private ShopType(String key) {
this.key = key;
}
public String getKey() {
return key;
}
}
(我删除了setter,因为枚举属性应该始终是只读的.无论如何,它不再是必需的.)
您的.properties文件保持不变.
现在是获得本地化商店名称的时候了……
ResourceBundle rb = ResourceBundle.getBundle("shops");
String first = rb.getString(ShopType.FIRST.getKey()); // Первый
希望这会有所帮助……
杰夫