Reputation: 11876
Let's say that I have this class:
@Singleton
public class Parent { ... }
and this class:
public class Child extends Parent { ... }
in my Java app, and my app relies on Guice injection to create objects. If I create an instance of Child
through Injector.createInstance(Child.class)
, wiill that instance be a Singleton automatically (because the parent was annotated as a Singleton), or do I need to explicitly add the @Singleton
annotation to Child
?
Upvotes: 5
Views: 1929
Reputation: 10962
Nope - you'd need to annotate Child
as well. You can set up a simple test to verify this like:
public class GuiceTest {
@Singleton
static class Parent {}
static class Child extends Parent{}
static class Module extends AbstractModule {
@Override
protected void configure() {
bind(Parent.class);
bind(Child.class);
}
}
@Test
public void testSingleton() {
Injector i = Guice.createInjector(new Module());
assertNotSame(i.getInstance(Child.class), i.getInstance(Child.class));
}
}
Upvotes: 7