Skip to main content

Dependency Injection pattern and Inversion of Control with C#

Understand the Object Dependency and Coupling:

When an object needs another object for a required task, then the first object is dependent on the second.

For example three objects, namely, X, Y, and Z. If object X is coupled to object Y, and Y is in turn coupled to Z, then object X is effectively coupled to object Z, i.e. it is dependent on Z. This behavior is known as transitivity.

There are two ways to couple the objects:

  • Tight Coupling: In this, the objects are not independently reusable and hence are difficult to use effectively in unit test scenarios.
  • Loose Coupling: In this scenario, an object is loosely coupled with another object, and you can change the coupling with ease and can be used easily in unit test scenarios.

Dependency Injection (DI):

The basic idea behind the Dependency Injection is to have a separate object and "Design must be loosely coupled". Dependency injection eliminates tight coupling between objects to make both the objects and applications that use them more flexible.

Key points about Dependency Injection (DI):

  • It is also known as Inversion of Control (IOC) container.
  • It can help you design your applications so that the architecture links the components rather than the components linking themselves.
  • IOC provides a great way to reduce tight coupling between software components.
  • The basic idea behind DI is design must be loosely coupled, loosely coupled means that objects should have only those dependencies which are required to complete their task, and the number of dependencies must be fewer.
  • Loose coupling offers us greater reusability and testability.
  • With the help of DI, we can achieve code maintainability.
  • Object dependencies should be on the interface and not on "concrete" objects.
  • It enables us to manage future changes and other complexity in our application.

There are three basic ways to implement the Dependency Injection:

  • Construction Injection
  • Setter Injection
  • Interface Injection.

Constructor Injection

Constructor injection uses parameters to inject dependencies. It is the most common form of Dependency Injection. The basic idea behind this DI technique is passing an object's dependencies to its constructor. In the case of constructor-injection, the object has no default constructor and we need to pass specified values at the time of creation to instantiate the object.

Advantages of Constructor Injection:

  • There is normally one parameterized constructor, but if you need more than one dependency for a class, you can define multiple constructors to achieve more than one dependency.
  • It supports unit testing because dependencies can be passed through the constructor.
  • We can make dependency immutable (to prevent circular dependency) immutable by making the dependency reference final.
  • It makes a strong dependency contract.
  • It emphasizes the importance of receiving a valid dependency and it’ll throw an exception if the null parameter is passed to the constructor.

Disadvantages of Constructor Injection:

  • For legacy classes, we need to modify the constructor to implement DI, in this case, we need to modify all the constructor calls.
  • To avoid changing all over the place we can create a new constructor and use it for future dependencies, but it’ll create confusion in which situation one should use one of two constructors.
  • If the dependency is used rarely and is expensive to create, then we should avoid it passing to the constructor and better choose the Setter injector.

Example of Constructor Injection:

Create the IDbRepository interface and then create the DbRepository by implementing the IDbRepository interface.

Post that creates an object of IDbRepository interface and uses it inside the TestClient class.

//Declare interface “IDbRepository” with one method.
public interface IDbRepository
{
    List<string> LoadNames();
}

//Create concrete class “DbRepository” and implement “IDbRepository”.
public class DbRepository : IDbRepository
{
    public List<string> LoadNames()
    {
        Console.WriteLine("DbRepository Method Called");
        return new List<string> { "Sandeep", "TestName1", "TestName2" };
    }
}

//Create TestClient class and implement Constructor Injector.
public class TestClient
{
    private readonly IDbRepository _dbRepository;

    public TestClient(IDbRepository dbRepository)
    {
        _dbRepository = dbRepository;
    }

    public void PuplateNames()
    {
        Console.WriteLine("Use of DbRepository");

        //Load names from DbRepository.
        var names = _dbRepository.LoadNames();
    }
}

Setter Injection

It is also known as Property Injection. In this, we do not need to pass the dependency through the constructor but dependencies are passed through public properties that are exposed.

Advantages of Setter Injection:

  • It allows us to create dependency on expensive resources and with this, we can create dependency as late as possible and only when we needed it.
  • Setter Injection allows us to create dependencies for legacy classes without modifying the constructor and related constructor calls.

Disadvantages of Setter Injection:

  • It is very difficult to identify which dependencies are required and when.
  • It makes it a bit more difficult to track down the exception and the reason for the exception.

Example of Setter Injection:

//Modify “TestClient” code to implement Setter Injection.
public class TestClient
{
    private IDbRepository _dbRepository;

    public IDbRepository DbRepository
    {
        set { _dbRepository = value; }
        get
        {
            if (_dbRepository == null)
                throw new MemberAccessException("_dbRepository is null");
            return _dbRepository;
        }
    }

    //Empty Constructor.
    public TestClient()
    {
    }

    public void PuplateNames()
    {
        Console.WriteLine("Use of DbRepository");
        //Load names from DbRepository Setter property.
        var names = DbRepository.LoadNames();
    }
}

Interface Injection

Another way of DI is Interface base Injection. Interface injection allows us to pass the dependency into a dependent object in the form of an interface, implemented by the dependent class. In this interface, one method is declared that is implemented by the dependent class. The dependencies are passed using the method's parameters at a time before the dependency is required.

We can implement Interface Injection in, either way, either constructor injection or setter injection. Advantages or disadvantages depend on which DI is selected for interface injection.

Interface Injection Components:

  • IDependent interface: It defines the methods that inject one or more dependencies into the dependent class.
  • Dependent Class: This class implements the IDependent interface.
  • IDependency interface: It includes all dependency members that can be called from the Dependent class. By mean of the IDependency interface, we can easily inject any of the class that implements the IDependency interface.
  • Dependency Class: This class implements the IDependency interface and use to substitute into a dependent class using Interface injection.

Example of Interface Injection:

//Declare interface “IDbRepository” with one method.
public interface IDbRepository
{
    List<string> LoadNames();
}

//Create concrete class “DbRepository” and implement “IDbRepository”.
public class DbRepository : IDbRepository
{
    public List<string> LoadNames()
    {
        Console.WriteLine("DbRepository Method Called");
        return new List<string> { "Sandeep", "TestName1", "TestName2" };
    }
}

//Declare interface “ITestClient”.
public interface ITestClient
{
    void CreateObject(IDbRepository dbRepository);
}

//Implement TestClient class and use object with interface injection.
public class TestClient : ITestClient
{
    IDbRepository _dbRepository;

    public void PopulateNames()
    {
        //call method through _dbRepository object.
        var names = _dbRepository.LoadNames();
    }

    #region ITestClient Members

    /// <summary>
    /// Pass dbRepository object through method.
    /// </summary>
    /// <param name="dbRepository"></param>
    public void CreateObject(IDbRepository dbRepository)
    {
        _dbRepository = dbRepository;
    }

    #endregion
}

Advantages of Dependency Injection pattern:

  • With the help of DI tight coupling is eliminated.
  • DI allows code reusability.
  • It improves code readability and maintainability.
  • It improves application testing.

DI Frameworks:

There are several DI frameworks available to help the developer. A few of them are mentioned below for usage and further studies:

  • StructureMap: StructureMap is the oldest, continuously used IoC/DI container for .Net dating back to its first public release and production usage back in June 2004 on .Net 1.1. The current 4.* release represents 12+ years of lessons learned in the StructureMap and greater .Net community -- while also wiping away a great deal of legacy design decisions that no longer make sense today.
  • Spring.NET: Spring.NET is an open-source application framework that makes building enterprise .NET applications easier. Spring helps increase development productivity and improve application quality and performance.
  • Autofac: Autofac is an addictive Inversion of Control container for .NET Core, ASP.NET Core, .NET 4.5.1+, Universal Windows apps, and more.
  • Castle Windsor: Castle Windsor is a best of breed, mature Inversion of Control container available for .NET.
  • Ninject: Ninject is a lightning-fast, ultra-lightweight dependency injector for .NET applications. It helps you split your application into a collection of loosely-coupled, highly-cohesive pieces, and then glue them back together in a flexible manner.
  • Unity: Unity Container is a full-featured, general-purpose IoC container for use in any type of .NET application. It is Open Source and released under Apache 2.0 license. However, this project is archived now and no longer be maintained, check here for more details.
That’s it for now guys, I hope you have enjoyed learning DI, your feedback and comments will be highly appreciated !!! J

Comments

  1. XCelent Example... I really Loved it. I have been awaiting this kind of Xample. Being senior to you,,,, I appreciate your idea and the way of teaching/explaining

    ReplyDelete

Post a Comment

Popular posts from this blog

Error 405 : ASP.NET Core Web API PUT and DELETE Methods not allowed

Recently, while working with .Net core API I came across the issue of “Error 405 — Methods not Allowed” After some research, I found out that both GET and POST requests working fine but neither PUT nor DELETE requests working. Another thing is that the PUT and DELETE request was also working fine on my local machine but failed when we host on our Azure server. When I explored the issue on the web it led me to the conclusion that WebDAVModule seems to set PUT and DELETE request methods disabled by default and due to that PUT and DELETE throw 405 errors. To make the PUT and DELETE requests work, we need to override the WebDAVModule setting in web.config file by adding the below settings under “ system.webServer ”. < system.webServer >   < modules runAllManagedModulesForAllRequests = " false " >     < remove name = " WebDAVModule " />   </ modules > </ system.webServer > There may be 2 web.config files in your

C#: Merging Excel cells with NPOI HSSFWorkbook

In this post we’ll see how to merge the two or more cell with each other while creating the excel sheet using NPOI . Mentioned below is code to merge multiple cells, in this example we are merging first cell to fifth cell of first row (you can adjust row or cell range by passing particular parameters in CellRangeAddress). //Created new Workbook var hwb = new NPOI.HSSF.UserModel. HSSFWorkbook (); //Create worksheet with name. var sheet = hwb.CreateSheet( "new sheet" ); //Create row and cell. var row = sheet.CreateRow(0); var cell = row.CreateCell(0); ; //Set text inside cell cell.SetCellValue( "This is Merged cell" ); cell.CellStyle.WrapText = true ; //define cell range address // parameters: -> first row to last and first cell to last cell var cra = new NPOI.SS.Util. CellRangeAddress (0, 0, 0, 4); //Add merged region to sheet. sheet.AddMergedRegion(cra); Hope this solution helps you J

ASP.Net: Export to HTML file and save with save file dialog in C#.

So continuing from my exporting sample series here I am narrating how to export data to HTML file in C#, ASP.Net. For this example I’ll use same “ GetData ” method (to get the data for exporting) which we had used in Export to Excel example, you can use your own method to get data. /// <summary> /// Export to Html /// </summary> public static void ExportHtmlFile() {     const string format = "<tr><td>{0}</td><td>{1}</td><td>{2}</td><td>{3}</td></tr>" ;     var sb = new StringBuilder ();     sb.AppendFormat( "<h1 style='font-size: 18px;font-weight: bold;'>{0}</h1>"         , "Export HTML Sample" );     sb.Append( "<table style='width:500px;'>" );     sb.AppendFormat(format         , "First Name"         , "Last Name"         , "Email Address"