Using Google Guice to inject java properties

前端 未结 5 1035
灰色年华
灰色年华 2021-02-02 14:24

I want to use google guice to make properties available in all classes of my application. I defined a Module which loads and binds the properties file Test.properties.<

5条回答
  •  夕颜
    夕颜 (楼主)
    2021-02-02 14:42

    Pass the injector to all subclasses and then use injector.getInstance(...) to create the subclasses?

    no, by doing this you are defeating the purpose of the dependency injection pattern and also coupling all your implementation to Guice. Your implementations should not interact at all with guice, except through the (now standardized) annotations.

    Instanciate a new injector like

    TestConfiguration config = new TestConfiguration(); 
    Injector injector = Guice.createInjector(config); 
    TestImpl test = injector.getInstance(TestImpl.class); 
    

    in all nested classes?

    no, and this is even worse cause you will end up with multiple injectors, hence multiple contexts which will prevent a proper usage of the scopes.

    Ideally, you should only use the injector during the bootstrapping of your application. Of course the way to bootstrap it will largely depend of the application.

    Is there an other approach to make the properties available in all classes?

    The properties could be injected the same way you did for TestImpl. If you want TestImpl to use let say a service which also needs some properties (or other services), just let Guice inject it to TestImpl. Guice is taking care of all the instantiation/wiring. You should only tell Guice "how to proceed", by using the binder, when Guice cannot figure this out itself :

    public class TestImpl {
        private final String property1;
        private final Integer property2;
        private final IService service;
    
    
            @Inject
            public TestImpl(@Named("Property1") String property1, @Named("Property2") Integer property2, IService service) {
               this.property1 = property1;
               this.property2 = property2;
               this.service= service;
            }
        }
    }
    

提交回复
热议问题