The SOLID Principle

Socles
4 min readApr 3, 2023

--

Software development is an ever-evolving field with new programming paradigms, languages, and best practices emerging regularly. As software systems grow in size and complexity, the need for efficient, maintainable, and robust code becomes even more important. One set of guidelines that have gained widespread recognition and adoption are the SOLID principles, first introduced by Robert C. Martin (also known as Uncle Bob) in the early 2000s. In this article, we will explore these principles, which are meant to improve the overall quality and maintainability of software systems.

The SOLID principles are an acronym for five design principles that can be applied to object-oriented programming and design. These principles are:

  1. Single Responsibility Principle (SRP)
  2. Open/Closed Principle (OCP)
  3. Liskov Substitution Principle (LSP)
  4. Interface Segregation Principle (ISP)
  5. Dependency Inversion Principle (DIP)
  6. Single Responsibility Principle (SRP)

The Single Responsibility Principle states that a class should have only one reason to change, meaning it should have only one responsibility. This principle aims to promote cohesion within a class, making it easier to understand and maintain. When a class has multiple responsibilities, changes in one area may inadvertently affect other areas, leading to unintended consequences and increasing the risk of bugs.

Consider a simple example of a class that violates the SRP:

class User:
def __init__(self, name, email):
self.name = name
self.email = email

def get_user_info(self):
return f”Name: {self.name}, Email: {self.email}”

def save_user(self):
# Save user to the database
pass

In the example above, the User class is responsible for both user information and saving the user to the database. To adhere to the SRP, we can refactor the code:

class User:
def __init__(self, name, email):
self.name = name
self.email = email

def get_user_info(self):
return f”Name: {self.name}, Email: {self.email}”

class UserRepository:
def save_user(self, user):
# Save user to the database
pass

Now, the User class is only responsible for user information, and the UserRepository class is responsible for saving the user to the database.

2. Open/Closed Principle (OCP)

According to the Open/Closed Principle, software entities (classes, modules, functions, etc.) should be open for extension but closed for modification. In other words, you should be able to add new functionality to a class without altering its existing code. This principle encourages developers to use interfaces and abstract classes to create flexible and extensible code that is less susceptible to breaking changes.

Suppose we have a simple class hierarchy for different types of shapes:

class Shape:
pass

class Rectangle(Shape):
def __init__(self, width, height):
self.width = width
self.height = height

class Circle(Shape):
def __init__(self, radius):
self.radius = radius

If we want to calculate the area of each shape, we can create a separate class that adheres to the OCP:

class AreaCalculator:
def calculate_area(self, shape):
if isinstance(shape, Rectangle):
return shape.width * shape.height
elif isinstance(shape, Circle):
return 3.14 * shape.radius * shape.radius

The AreaCalculator class is now open for extension (we can easily add new shape types) but closed for modification (we don’t need to modify the AreaCalculator class when adding new shapes).

3. Liskov Substitution Principle (LSP)

The Liskov Substitution Principle asserts that objects of a derived class should be able to replace objects of the base class without affecting the correctness of the program. This principle is essential in ensuring that a class hierarchy behaves as expected and that substituting a derived class for its base class will not introduce unexpected behavior.

Consider the following class hierarchy:

class Bird:
def fly(self):
pass

class Eagle(Bird):
pass

class Penguin(Bird):
pass

In this example, the Penguin class inherits from Bird, which includes the fly method. However, penguins cannot fly. To adhere to the LSP, we can refactor the class hierarchy:

class Bird:
pass

class FlyingBird(Bird):
def fly(self):
pass

class Eagle(FlyingBird):
pass

class Penguin(Bird):
pass

Now, the Penguin class no longer inherits the fly method, and the LSP is preserved.

4. Interface Segregation Principle (ISP)

The Interface Segregation Principle emphasizes that clients should not be forced to depend on interfaces they do not use. By breaking down larger interfaces into smaller, more focused ones, this principle promotes the creation of specialized and reusable components. This approach reduces the coupling between classes and makes it easier to understand and maintain the code.

Suppose we have the following interface:

from abc import ABC, abstractmethod

class IWorker(ABC):
@abstractmethod
def work(self):
pass

@abstractmethod
def eat(self):
pass

This interface forces all worker classes to implement both work and eat methods. However, not all workers need to eat (e.g., a robot). To adhere to the ISP, we can create separate interfaces:

class IWork(ABC):
@abstractmethod
def work(self):
pass

class IEat(ABC):
@abstractmethod
def eat(self):
pass

5. Dependency Inversion Principle (DIP)

Lastly, the Dependency Inversion Principle advocates for high-level modules to not depend on low-level modules but to depend on abstractions instead. Similarly, abstractions should not depend on details; details should depend on abstractions. By following this principle, developers can create a more modular and flexible codebase that is less prone to becoming a monolithic and difficult-to-manage system.

Consider a simple example of a class that violates the Dependency Inversion Principle:

class Database:
def connect(self):
# Connect to the database
pass

class Application:
def __init__(self):
self.database = Database()

def start(self):
self.database.connect()

In the example above, the Application class directly depends on the Database class. To adhere to the DIP, we can create an interface and inject the dependency:

class IDatabase(ABC):
@abstractmethod
def connect(self):
pass

class Database(IDatabase):
def connect(self):
# Connect to the database
pass

class Application:
def __init__(self, database: IDatabase):
self.database = database

def start(self):
self.database.connect()

# Instantiate the objects and inject the dependency
database = Database()
app = Application(database)
app.start()

Now, the Application class depends on the IDatabase abstraction, making it more modular and flexible. If we need to switch to another database implementation, we can do so without modifying the Application class, as long as the new implementation adheres to the IDatabase interface.

--

--