如果您有大量设置,并且希望避免为每个设置创建新的绑定注释,您可以尝试将它们放在一个枚举中并在一个通用绑定注释中使用该枚举。这可能是一个有点复杂的解决方案,但它也可以节省您试图避免的样板文件。
通过这种方式,您可以匹配对象引用(IDE 友好)而不是字符串(缓慢而脆弱),并且仍然只创建一个绑定注释。
public enum Config {
DB_NAME("db_name"),
DB_HOST("db_host_name_specified_in_file"),
SOME_NUMBER("some_number"),
;
private final String propertyName;
private Config(String propertyName) {
this.propertyName = propertyName;
}
public String getPropertyName() {
return propertyName;
}
public InjectConfig annotation() {
// Create an implementation of InjectConfig for ease of binding.
return new InjectConfig() {
@Override public Class<? extends Annotation> annotationType() {
return InjectConfig.class;
}
@Override public Config value() {
return Config.this;
}
@Override public boolean equals(Object obj) {
if (obj == this) {
return true;
} else if (!(obj instanceof InjectConfig)) {
return false;
}
return value() == ((InjectConfig) obj).value();
}
/** @see Annotation#hashCode */
@Override public int hashCode() {
return (127 * "value".hashCode()) ^ value().hashCode();
}
};
}
@Retention(RetentionPolicy.RUNTIME)
@BindingAnnotation
public static @interface InjectConfig {
Config value();
}
}
现在您可以遍历并在循环中绑定每个:
public class YourModule extend AbstractModule {
@Override public void configure() {
// You can get a Provider in a Module as long as you
// don't call get() before the injector exists.
Provider<Settings> settingsProvider = binder().getProvider(Settings.class);
for (Config config : Config.values()) {
String propertyName = config.getPropertyName();
// Guice's TypeConverter will convert Strings to the right type.
bind(String.class).annotatedWith(config.annotation()).toProvider(
new GetValueFromSettingsProvider(settingsProvider, propertyName));
}
}
}
并且只注入你需要的东西,直接:
/** Your constructor */
YourClass(@InjectConfig(DB_USER) String user,
@InjectConfig(SOME_NUMBER) int number) { }
我没有机会对此进行测试,但据我所知,它应该可以工作。鉴于您的特定设置用例,您可能需要GetValueFromSettingsProvider
修改您编写的内容,或getConfigValueFromSettings
在枚举中编写一个可覆盖的方法。但是请记住,您仍然需要以一种或另一种方式存储 (enum key, property name in file, property type) 元组,并且 Enum 似乎是以编程方式管理它的最佳方式。