PTOM – Brownfield development – Making your dependencies explicit


Introducing DI and “poor man’s DI”

Introduction

Greenfield Development happens when you start a brand new project, as in, clean slate development. No legacy code lying around, no old development to maintain. You’re starting afresh, from scratch, from a blank slate, with no restrictions on what you’re doing (other than business rules of course).

In Wikipedia:

“…a greenfield is also a project which lacks any constraints imposed by prior work. The analogy is to that of construction on greenfield land where there is no need to remodel or demolish an existing structure. Such projects are often coveted by software engineers for this reason, but in practice, they can be quite rare.”

Brownfield development is given whenever one has to maintain, extend and improve an existing base of legacy code. Again in Wikipedia

Brownfield development is a term commonly used in the IT industry to describe problem spaces needing the development and deployment of new software systems in the immediate presence of existing (legacy) software applications/systems. This implies that any new software architecture must take into account and coexist with live software already in situ__. … “

As a developer this is probably the most common scenario that you encounter. Only very seldom we are lucky enough to start a completely new application (a greenfield project) which has no legacy (code) at all to consider during development.

Legacy Code

Legacy code in the context of this post is code that is either not covered by tests, not developed by using TDD or simply not respecting the S.O.L.I.D. principles.

Strong coupling versus weak coupling

One of the first points of friction we detect when we would like to maintain or extend a legacy application is that the code is strongly coupled. The different classes are tied together and thus an individual class cannot be easily decoupled from the rest of the application. But we should never add new functionality to a legacy application without testing it. To write unit tests for a class under change we have to be able to completely isolate it from the other classes. But this is only possible if the dependencies that this class has to other classes are explicit.

We say “a class is weakly coupled” if its dependencies are explicit and the class is not directly coupled to the implementation but rather to the abstraction of the dependencies. In this case an abstraction of a class is an interface implemented by the corresponding class.

A sample

In this post I assume that we have to modify and/or extend an existing application which is an order entry system. Currently it is possible to place a new order. When an existing customer places a new order the legacy system does not check whether this customer has other yet unpaid orders. Our task is now to extend this order entry system such as that if a customer having unpaid orders wants to place a new order the order is only tentatively added to the system and a task is entered into the system requiring a manager to confirm or reject the order.

Of course we are developers that have been trained in TDD and we are applying the S.O.L.I.D. all the time. Thus we don’t want to make an exception when modifying this legacy application.

   1: public class OrderService
   2: {
   3:     public void PlaceNewOrder(ShoppingCart shoppingCart)
   4:     {
   5:         // ... more code ...
   6:  
   7:         var smtpServer = ConfigurationManager.AppSettings["SMTPServer"];
   8:         var emailSender = new EmailSender(smtpServer);
   9:         emailSender.SendConfirmation(shoppingCart);
  10:  
  11:         var orderRepository = new OrderRepository();
  12:         var order = CreateOrderFromShoppingCart(shoppingCart);
  13:         orderRepository.Add(order);
  14:  
  15:         // ... more code ...
  16:     }
  17:  
  18:     // ... more methods
  19: }
</p>
Listing 1: strongly coupled legacy code

We have spotted the method PlaceNewOrder in the class OrderService as the location where we have to introduce our enhancement. Now we want to apply TDD when implementing our extension. Thus we have to be able to isolate the order service class from its dependencies.

In the above code snippet we can already detect three locations of problems; namely in lines 7, 8 and 11. In these lines external dependencies of the class are referenced. Those are the ConfigurationManager class (which is part of the .NET framework), the EmailSender class and the OrderRepository class.

When analyzing the EmailSender class we notice that this class uses the SmtpClient class of the .NET framework (namespace System.Net.Mail) to send emails to the receiver. The OrderRepository class in turn is coupled to a specific database. And finally the ConfigurationManager class expects the existence of a configuration file having an entry “SMTPServer”.

If we would have to test this class as is then we had to build up the required context in our development environment. That is we would have to have access to a SMTP server, have access to a database and provide the correct configuration file amongst other things. This is certainly to much of a requirement. If we could not change these requirements then we would certainly decide not to apply TDD at all and just implement the new code in a quick and dirty way…

What can we do to improve the situation?

The first step is to make our dependencies explicit. What does that mean? Well, maybe I first explain the contrary. What is an implicit dependency?

“An implicit dependency of a give class is a dependency that is not discoverable from the outside of this class. The corresponding dependency is never appearing in the contract (or interface) of the class.”

Do not couple to the implementation

The legacy code snippet shown in listing 1 is strongly coupled to the implementation of the dependencies. To be able to mock the dependencies for testing purposes we have to break up this strong coupling. We can do this by referencing interfaces instead of the implementation. As an example we define an interface IOrderRepository which contains at least a method Add as used in line 13 of listing 1.

   1: public interface IOrderRepository
   2: {
   3:     void Add(Order order);
   4:     // other members...
   5: }
</p>
Listing 2: defining an interface for the order repository

This interface is then implemented by the order repository class.

   1: public class OrderRepository : IOrderRepository
   2: {
   3:     // ... code ...
   4: }
</p>
Listing 3: implementing the interface in the order repository

The same we do for the email sender class.

Decoupling from static classes and/or members

But we cannot define and implement an interface for the ConfigurationManager class since this class is defined in the .NET framework. More over the member used in our code is a static member. In such a situation the best thing we can probably do is to define a (thin) wrapper class around the ConfigurationManager class where the wrapper then implements an interface. Our modified code will then reference the interface of the wrapper class

   1: public interface IConfigurationManager
   2: {
   3:     NameValueCollection AppSettings{ get; }
   4: }
   5:  
   6: public class ConfigurationManagerWrapper : IConfigurationManager
   7: {
   8:     public NameValueCollection AppSettings
   9:     {
  10:         get { return ConfigurationManager.AppSettings; }
  11:     }
  12: }
</p>
Listing 4: wrapping a static class or a class that we cannot modify

We will notice however that we will not need the ConfigurationManager any more in the order service class once we have made its dependencies explicit. But we will need the above wrapper class once we want to modify and decouple the EmailSender class.

The Dependency Injection Pattern

Now that we have decoupled our order service of the strong coupling to the implementation of the references we have to provide the references to the class somehow. Most often this is done by applying the dependency injection pattern. The references are injected to the class from outside. Often this is done via constructor injection. That is we define a constructor for the order service class which has a parameter for each dependency needed. In our example we have two dependencies left over

   1: public OrderService(IOrderRepository orderRepository, IEmailSender emailSender)
   2: {
   3:     this.orderRepository = orderRepository;
   4:     this.emailSender = emailSender;
   5: }
</p>
Listing 5: making dependencies explicit via construction injection

We can then update the code that uses those dependencies

   1: public void PlaceNewOrder(ShoppingCart shoppingCart)
   2: {
   3:     // ... more code ...
   4:  
   5:     emailSender.SendConfirmation(shoppingCart);
   6:  
   7:     var order = CreateOrderFromShoppingCart(shoppingCart);
   8:     orderRepository.Add(order);
   9:  
  10:     // ... more code ...
  11: }
</p>
Listing 5: modified code weakly coupled to its dependencies

The above code is now only weakly coupled to its dependencies. During a unit test these dependencies can be mocked and as a consequence no email is sent and no database is needed when running the test.

Poor Man’s Dependency Injection

Since we are extending an existing application and since we cannot modify the whole code base at once we need to be able to use our modified component the same way as we did before the change was introduced. Probably the OrderSerivce class is used at various points in the legacy code base in the following way

   1: // ... 
   2: var orderService = new OrderService();
   3: orderService.PlaceNewOrder(shoppingCart);
   4: // ... more code
</p>
Listing 6: legacy code using the order service

In line 2 we can see that the default constructor of the OrderService class is used in the legacy code. But our modified class doesn’t provide a default constructor at the moment. We only have a constructor with parameters where the parameters correspond to the dependencies needed by the order service. What can we do?

Well, there is a simple solution – this solution is also called “poor man’s dependency injection. We can implement a default constructor in the class and just forward the call to the other constructor.

And the dependencies needed?</p>

Since this is a brownfield project we cannot provide the perfect solution but we can provide a decent one. We just new up instances of the required dependencies in the forward call

   1: public OrderService() : this(
   2:     new OrderRepository(),
   3:     new EmailSender(ConfigurationManager.AppSettings["SMTPServer"])
   4:     )
   5: { }
</p>
Listing 7: default constructor injecting references

Now our improved order service can be used by the remaining legacy code without change!

Summary

Legacy code is most often strongly coupled. A class does have one to many implicit dependencies and can thus not be tested in isolation. To decouple a class from the rest of the application we have to make its dependencies explicit. Not the class is responsible to acquire its dependencies but those dependencies are injected from “outside”. Further more the class should never be directly coupled to the implementation of its dependencies but rather on their abstraction. That is a dependency of a class should be accessed via an interface implemented by the dependency.

In this post I have shown based on a realistic example how we can decouple a legacy class from its surroundings by making its dependencies explicit. Once the dependencies are explicit they can be mocked during a test. As a result we can apply TDD when implementing new features or maintaining existing features.

Tutorial about mocking with Rhino Mocks and Moq