This post was inspired by an awesome tech talk by Florian Patan at GopherCon UK in 2018 where he goes over creating a goservice in 30 minutes. The interesting take away from the talk was the use of dependency injection to insert a logger instance into the handler.
My aim for this article is to dissect dependency injection into smaller chunks to understand how it works.
The initial code for the project is given below. (main.go)
|
|
Note that new instance of logger has been initialised in line 10.
The flags log.LstdFlags define which text to prefix to each log entry generated by the Logger.
log.Ltime represents the time at which the log was generated and the log.Lshortfile represents the name of the file from which the log was printed.
On executing the file we get the following output.
log 2021/02/01 16:44:03 main.go:15: Inside root
The logger instance was generated in main.go file. Suppose we want to create a new router called home. Instead of creating a new instance of logger we can simply inject it into the router. This is where the dependency injection comes into the picture.
We create a new package that handles the logic of /home route. The new package is home package. In the home.go file, we add the following code.
Dependency Injection
Step 1 : Create a Handler of type struct and initialise a logger variable of the type log.Logger
|
|
Step 2 : Create a function constructor to initialise the logger variable. It returns an address of the initialised Handler.
|
|
Step 3: Handle method takes implementation of http.Handler interface as the second argument, hence serveHttp method has been intialised with the code logic (logger is accesses inside the function).
|
|
Step 4: Instance of handler is intialised and assigned to a new variable passed to the /home router
|
|
The output is
log 2021/02/01 18:49:04 home.go:19: Inside home
We can clearly see that the logger instance is initialized once and injected into wherever necessary.