Skip to main content

SOLID Principles

SOLID is an acronym for five object-oriented design principes (OOP) by Robert C. Martin. Adopting this practices helps in reducing code smell, refactoring of code, etc.

  • S - Single Responsibility
  • O - Open-Closed
  • L - Liskov Substitution
  • I - Interface Segregation
  • D - Dependency Inversion
Single Responsibility Principle

A class should have only one reason to change.

This means that a class should have only one responsibility or purpose.

❌ Bad Example (Violates SRP)

This Employee class handles multiple responsibilities (employee details & salary calculations).

class Employee {
private String name;
private double salary;

public Employee(String name, double salary) {
this.name = name;
this.salary = salary;
}

public void printDetails() {
System.out.println("Name: " + name + ", Salary: " + salary);
}

public double calculateBonus() {
return salary * 0.10;
}
}

πŸ”΄ Problem

  • The class has two reasons to change:
    • If employee details change.
    • If salary calculation logic changes.
  • Breaks SRP, making it harder to maintain.


βœ… Good Example (Follows SRP)

We separate concerns into two classes.

class Employee {
private String name;
private double salary;

public Employee(String name, double salary) {
this.name = name;
this.salary = salary;
}

public String getName() {
return name;
}

public double getSalary() {
return salary;
}
}

class SalaryCalculator {
public double calculateSalary(Employee employee) {
return employee.getSalary() * 0.1;
}
}

βœ… Why is this better?

  • Employee only manages employee data.
  • SalaryCalculator only handles salary calculations.
  • Each class has a single responsibility β†’ Easier to maintain & extend.