Files
java-design-patterns/dependency-injection/src/main/java/com/iluwatar/dependencyinjection/App.java

41 lines
1.8 KiB
Java
Raw Normal View History

package com.iluwatar.dependencyinjection;
2015-05-25 18:41:54 +03:00
2015-05-25 18:38:42 +03:00
import com.google.inject.Guice;
import com.google.inject.Injector;
2015-05-25 19:13:50 +03:00
/**
*
* Dependency Injection pattern deals with how objects handle their dependencies. The pattern
* implements so called inversion of control principle. Inversion of control has two specific rules:
* - High-level modules should not depend on low-level modules. Both should depend on abstractions.
* - Abstractions should not depend on details. Details should depend on abstractions.
*
* In this example we show you three different wizards. The first one (SimpleWizard) is a naive
* implementation violating the inversion of control principle. It depends directly on a concrete
* implementation which cannot be changed.
*
* The second wizard (AdvancedWizard) is more flexible. It does not depend on any concrete implementation
* but abstraction. It utilizes Dependency Injection pattern allowing its Tobacco dependency to be
* injected through its constructor. This way, handling the dependency is no longer the wizard's
* responsibility. It is resolved outside the wizard class.
*
* The third example takes the pattern a step further. It uses Guice framework for Dependency Injection.
* TobaccoModule binds a concrete implementation to abstraction. Injector is then used to create
* GuiceWizard object with correct dependencies.
*
*/
2015-05-25 18:41:54 +03:00
public class App {
public static void main( String[] args ) {
SimpleWizard simpleWizard = new SimpleWizard();
simpleWizard.smoke();
AdvancedWizard advancedWizard = new AdvancedWizard(new SecondBreakfastTobacco());
advancedWizard.smoke();
2015-05-25 18:38:42 +03:00
Injector injector = Guice.createInjector(new TobaccoModule());
GuiceWizard guiceWizard = injector.getInstance(GuiceWizard.class);
guiceWizard.smoke();
2015-05-25 18:41:54 +03:00
}
}