使用 Google Guice 注入 java 属性
2022-09-02 13:20:46
我想使用谷歌guice使属性在我的应用程序的所有类中可用。我定义了一个模块,它加载并绑定属性文件Test.properties。
Property1=TEST
Property2=25
package com.test;
import java.io.FileNotFoundException;
import java.io.FileReader;
import java.io.IOException;
import java.util.Properties;
import com.google.inject.AbstractModule;
import com.google.inject.name.Names;
public class TestConfiguration extends AbstractModule {
@Override
protected void configure() {
Properties properties = new Properties();
try {
properties.load(new FileReader("Test.properties"));
Names.bindProperties(binder(), properties);
} catch (FileNotFoundException e) {
System.out.println("The configuration file Test.properties can not be found");
} catch (IOException e) {
System.out.println("I/O Exception during loading configuration");
}
}
}
我正在使用一个主类,在其中创建一个注入器来注入属性。
package com.test;
import com.google.inject.Guice;
import com.google.inject.Injector;
public class Test {
public static void main(String[] args) {
TestConfiguration config = new TestConfiguration();
Injector injector = Guice.createInjector(config);
TestImpl test = injector.getInstance(TestImpl.class);
}
}
package com.test;
import com.google.inject.Inject;
import com.google.inject.name.Named;
public class TestImpl {
private final String property1;
private final Integer property2;
@Inject
public TestImpl(@Named("Property1") String property1, @Named("Property2") Integer property2) {
System.out.println("Hello World");
this.property1 = property1;
this.property2 = property2;
System.out.println(property1);
System.out.println(property2);
}
}
现在我的问题。如果我的 TestImpl 创建了其他类,在这些类中,我还需要注入属性,而这些类也需要注入属性,那么正确的方法是什么?
将注入器传递给所有子类,然后使用 injector.getInstance(...) 创建子类?
-
实例化一个新的注射器,如
TestConfiguration config = new TestConfiguration(); Injector injector = Guice.createInjector(config); TestImpl test = injector.getInstance(TestImpl.class);
在所有嵌套类中?
- 是否有其他方法使属性在所有类中都可用?