几天来我一直在修补这个想法,我想知道是否有人想过这样做。我想尝试创建一个 ResourceBundle,我可以通过使用枚举来访问这些值。这种方法的好处是我的键会被很好地定义,希望我的 IDE 可以选择类型并为我自动完成变量名。换句话说,我追求的是一种精致的 ListResourceBundle。
基本上,这就是我所追求的......
我有一个枚举,它由各种捆绑包组成,如下所示:
interface Bundle {
String getBundleName();
EnumResourceBundle<??????> getEnumResourceBundle();
}
enum Bundles implements Bundle {
BUNDLE1("com.example.Bundle1", Keys.class);
private final String bundleName;
private final EnumResouceBundle<??????> bundle;
/**
* I understand here I need to do some cast with ResourceBundle.getBundle(bundleName);
* in order to have it back-track through parents properly. I'm fiddling with this
* right now using either what I specified earlier (saving bundleName and then
* retrieving the ResourceBundle as needed), and saving a reference to the
* ResourceBundle.
*/
private <E extends Enum<E> & Key> Bundles(String bundleName, Class<E> clazz) {
this.bundleName = bundleName;
this.bundle = new EnumResourceBundle<??????>(clazz);
}
@Override
public String getBundleName() {
return bundleName;
}
@Override
public EnumResourceBundle<??????> getEnumResourceBundle() {
return bundle;
}
}
interface Key {
String getValue();
}
enum Keys implements Key {
KEY1("This is a key"),
KEY2("This is another key");
private final String value;
private Keys(String value) {
this.value = value;
}
@Override
public String getKey() {
return value;
}
}
class EnumResourceBundle<E extends Enum<E> & Key> extends ResourceBundle {
// Can also store Object in case we need it
private final EnumMap<E, Object> lookup;
public EnumResourceBundle(Class<E> clazz) {
lookup = new EnumMap<>(clazz);
}
public String getString(E key) {
return (String)lookup.get(key);
}
}
所以我的总体目标是必须编写如下代码:
public static void main(String[] args) {
Bundles.CLIENT.getEnumResourceBundle().getString(Keys.KEY1);
Bundles.CLIENT.getEnumResourceBundle().getString(Keys.KEY2);
// or Bundles.CLIENT.getString(Keys.KEY1);
}
我还想提供对格式替换(%s、%d、...)的支持。
我意识到不可能从类中回溯类型,这对我没有帮助,因为我已经实例化了 Bundles#bundle,所以我想知道我是否可以以某种方式声明 EnumResourceBundle,泛型类型在哪里是一个实现了 Key 接口(interface)的枚举。任何想法、帮助或想法将不胜感激。在我诉诸命名常量之前,我真的很想看看我是否可以让它像这样工作。
更新:
我有一个想法,也许我也可以尝试更改 EnumResourceBundle#getString(E) 来代替 Key,但这并不能保证它是枚举中指定的有效 Key,或者任何与此相关的枚举。再说一次,我不确定在子 EnumResourceBundle 中使用父枚举 Key 时该方法将如何工作,因此 Key 可能是更好的选择。
最佳答案
我以前做过类似的事情,但我以另一种方式接近它,这很简单。
我刚刚创建了一个接受枚举的枚举转换器类,然后将枚举名称映射到属性文件中的值。
我使用了一个资源包,然后翻译看起来像(从内存中):
<T extends enum>String translate(T e) {
return resources.getString(e.getClass().getName()+"."+e.getName());
}
<T extends enum>String format(T e, Object... params) {
return MessageFormat.format(translate(e), params);
}
现在对于任何枚举,您只需向文件中添加一个字符串:
com.example.MyEnum.FOO = This is a foo
com.example.MyEnum.BAR = Bar this!
如果你想确保传递的类是正确的枚举,你可以为这些枚举定义一个共享接口(interface),或者你可以将它变成一个在类类型上定义 T 的类,然后为每个枚举生成它的实例你希望能够翻译。然后你可以做一些事情,比如通过 new EnumFormatter() 为任何枚举创建一个翻译器类。通过在 EnumFormatter 中实现,使
format()
protected 将允许您为每个枚举类型提供特定的可执行格式。使用类的想法甚至可以让您更进一步,当您创建类时,您可以指定它的枚举和属性文件。然后它可以立即扫描属性文件并确保枚举中的每个值都有一个映射 - 如果缺少一个则抛出异常。这将有助于确保及早检测到属性文件中的任何缺失值。