Say I have these 3 layers of my code:
1. Database layer (ORM)
2. BusinessLogic
3. Application
Now, I write my code as follows:
Database layer:
This mainly has CURD operations over database.class MyDatabaseLayer { public int findValue(int k) { // find v } public void insertValue(int k, int v) { // Insert v } }
BusinessLogic:
This holds the actual logic to call database layer and do stuff.class MyBusinessLogic { private MyDatabaseLayer dbLayer; public MyBusinessLogic(MyDatabaseLayer dbLayer) { this.dbLayer = dbLayer; } public int manipulateValue(int k) { dbLayer.findValue(k); //do stuff with value } }
Application layer:
This calls the business logic and displays the dataMyBusinessLogic logic = new MyBusinessLogic(new MyDatabaseLayer ()); //The problem logic.manipulateValue(5);
Now if you see in the application layer, it knows about the database layer, which is wrong. It knows too much.
Misko Hevery says: Constructor injection is good. But if I follow that, how will I achieve abstraction? And how can Google Guice help me here?
Note that for the testability Misko refers to, you ideally want to make interfaces for
MyDatabaseLayer
,MyBusinessLogic
, etc. and have the constructors take those interfaces rather than concrete classes so that in testing you can easily pass in fake implementations that don't actually use the database, etc.With Guice, you would bind the interfaces to concrete classes in a
Module
orModule
s. You would then create anInjector
using thoseModule
s and get some root object (for example, your application object) from theInjector
.In
MyApplicationLayer
, you'd inject the business logic:This is of course a very simple example and there are much more complex things you can do. In a web application, for example, you can use constructor injection on servlets using Guice Servlet rather than getting an object directly out of the
Injector
after creating it.