Understanding Dependency Injection in Python

John Burns

Dependency Injection (DI) is a software design pattern that helps create loosely coupled, testable, and maintainable code. Instead of having classes create their own dependencies, those dependencies are “injected” from the outside. This blog post will walk you through a concrete Python example that demonstrates DI, along with alternate techniques like the Service Locator and Factory patterns.

What Is Dependency Injection?

At its core, dependency injection involves passing (or “injecting”) an object’s dependencies rather than instantiating them internally. The main benefits include:

  • Decoupling: Classes do not need to know about the construction details of their dependencies.
  • Testability: You can easily substitute real implementations with mocks or stubs for testing.
  • Flexibility: You can change the behavior of your system at runtime by providing different implementations.

Example Overview

In the provided code, the email sending functionality is abstracted through an interface and implemented by multiple services. The central concepts include:

  • Abstraction with an Interface: The IEmailService abstract base class defines the contract for sending emails.
  • Concrete Implementations: Classes such as SMTPEmailService, SendGridEmailService, and MockEmailService implement the interface.
  • Injection via the Constructor: The Mailer class accepts an IEmailService implementation, demonstrating constructor injection.
  • Service Locator & Factory: Two different patterns to resolve and obtain dependencies are shown.

Let’s break these down with code snippets.

Defining an Abstraction

The foundation of dependency injection in this example is the abstract base class IEmailService, which defines the method every email service must implement.

from abc import ABC, abstractmethod

class IEmailService(ABC):
    @abstractmethod
    def send_email(self, message: str) -> None:
        pass

This interface allows any implementation of an email service to be interchangeable as long as it conforms to this contract.

Concrete Implementations

There are three implementations provided in the example:

  • SMTPEmailService: Sends emails via SMTP.
  • SendGridEmailService: Sends emails via SendGrid.
  • MockEmailService: A mock version used primarily for testing.

Here’s how one of them is implemented:

class SMTPEmailService(IEmailService):
    def send_email(self, message: str) -> None:
        print(f"Sending email via SMTP: {message}")

Each service follows the same interface but implements the sending logic differently. This is a classic case where DI shines—you can easily swap one implementation for another without changing the dependent code.

Using Dependency Injection in the Mailer

The Mailer class is where DI is put into practice. It accepts an instance of IEmailService through its constructor:

class Mailer:
    def __init__(self, email_service: IEmailService):
        self.email_service = email_service

    def send_message(self, message: str) -> None:
        self.email_service.send_email(message)

Here, the Mailer doesn’t care which email service it uses—it only knows that it can send emails by calling the send_email method. This makes it flexible and easy to test.

Resolving Dependencies with a Service Locator

One way to manage and inject dependencies is by using a Service Locator. In this example, a simple registry of services is maintained:

class ServiceLocator:
    services = {
        "SMTP": SMTPEmailService(),
        "SendGrid": SendGridEmailService(),
        "Mock": MockEmailService()
    }

    @staticmethod
    def get_email_service(service_type: str) -> IEmailService:
        return ServiceLocator.services.get(service_type, MockEmailService())

The ServiceLocator holds pre-created instances of email services. When a specific service is needed, it is retrieved by its key. This approach centralizes the dependency management but can hide class dependencies if overused.

Using the Service Locator

service_type = "SendGrid"  # This could be determined dynamically
email_service = ServiceLocator.get_email_service(service_type)
mailer = Mailer(email_service)
mailer.send_message("Message for the selected service.")

In this snippet, the Mailer gets its dependency resolved through the locator, demonstrating how DI is facilitated indirectly.

An Alternate: The Factory Method

Another common technique to resolve dependencies is using a Factory. The factory method encapsulates the logic to decide which concrete class to instantiate:

class EmailServiceFactory:
    def get_email_service(self, service_type: str) -> IEmailService:
        if service_type == "SMTP":
            return SMTPEmailService()
        elif service_type == "SendGrid":
            return SendGridEmailService()
        else:
            return MockEmailService()

Using the Factory

service_type = "SMTP"  # Determined at runtime based on factors such as configuration
factory = EmailServiceFactory()
email_service = factory.get_email_service(service_type)
mailer = Mailer(email_service)
mailer.send_message("This is a message sent using the chosen service.")

Here, the factory encapsulates the decision-making process, making it easier to extend or modify without affecting the Mailer class.

When and Why to Use Dependency Injection

  • Flexibility: Easily swap components without altering the client code.
  • Testability: Inject mock implementations during unit testing to avoid external dependencies.
  • Decoupling: Reduce tight coupling between components, making the system more modular and easier to maintain.
  • Configuration Management: Change behavior at runtime based on configuration, environment, or user input.

Conclusion

This example clearly demonstrates the advantages of dependency injection in Python. By defining a common interface (IEmailService), implementing multiple services, and injecting these services into the Mailer class, the code remains flexible, maintainable, and testable. The use of both a Service Locator and a Factory Method shows two different ways to manage dependencies, each with its own trade-offs.

Understanding these patterns not only improves code quality but also sets a foundation for building scalable applications where components can be managed independently.


References: Code example from bufo333/python-di/app.py cite60†