Suppose we have a Rectangle class with the properties Height and Width.
- public class Rectangle{
- public double Height {get;set;}
- public double Wight {get;set; }
- }
Our app needs the ability to calculate the total area of a collection of Rectangles. Since we already learned the Single Responsibility Principle (SRP), we don't need to put the total area calculation code inside the rectangle. So here I created another class for area calculation.
- public class AreaCalculator {
- public double TotalArea(Rectangle[] arrRectangles)
- {
- double area;
- foreach(var objRectangle in arrRectangles)
- {
- area += objRectangle.Height * objRectangle.Width;
- }
- return area;
- }
- }
Hey, we did it. We made our app without violating SRP. No issues for now. But can we extend our app so that it could calculate the area of not only Rectangles but also the area of Circles as well? Now we have an issue with the area calculation issue, because the way to do circle area calculation is different. Hmm. Not a big deal. We can change the TotalArea method a bit, so that it can accept an array of objects as an argument. We check the object type in the loop and do area calculation based on the object type.
- public class Rectangle{
- public double Height {get;set;}
- public double Wight {get;set; }
- }
- public class Circle{
- public double Radius {get;set;}
- }
- public class AreaCalculator
- {
- public double TotalArea(object[] arrObjects)
- {
- double area = 0;
- Rectangle objRectangle;
- Circle objCircle;
- foreach(var obj in arrObjects)
- {
- if(obj is Rectangle)
- {
- objRectangle = (Rectangle)obj;
- area += obj.Height * obj.Width;
- }
- else
- {
- objCircle = (Circle)obj;
- area += objCircle.Radius * objCircle.Radius * Math.PI;
- }
- }
- return area;
- }
- }
Wow. We are done with the change. Here we successfully introduced Circle into our app. We can add a Triangle and calculate it's area by adding one more "if" block in the TotalArea method of AreaCalculator. But every time we introduce a new shape we need to alter the TotalArea method. So the AreaCalculator class is not closed for modification. How can we make our design to avoid this situation? Generally we can do this by referring to abstractions for dependencies, such as interfaces or abstract classes, rather than using concrete classes. Such interfaces can be fixed once developed so the classes that depend upon them can rely upon unchanging abstractions. Functionality can be added by creating new classes that implement the interfaces. So let's refract our code using an interface.
- public abstract class Shape
- {
- public abstract double Area();
- }
Inheriting from Shape, the Rectangle and Circle classes now look like this:
- public class Rectangle: Shape
- {
- public double Height {get;set;}
- public double Width {get;set;}
- public override double Area()
- {
- return Height * Width;
- }
- }
- public class Circle: Shape
- {
- public double Radius {get;set;}
- public override double Area()
- {
- return Radius * Radus * Math.PI;
- }
- }
Every shape contains its area show with it's own way of calculation functionality and our AreaCalculator class will become simpler than before.
- public class AreaCalculator
- {
- public double TotalArea(Shape[] arrShapes)
- {
- double area=0;
- foreach(var objShape in arrShapes)
- {
- area += objShape.Area();
- }
- return area;
- }
- }
Now our code is following SRP and OCP both.
Liskov Substitution Principle :
The Principle
Some classes have public interfaces that are not cohesive. They may include several groups of members where each group is used by a different set of client classes. The groups may be entirely separate or there may be overlap between the members used by different clients. Ideally all classes would have cohesive interfaces. Unfortunately, this is not always possible.
The Interface Segregation Principle (ISP) states that clients should not be forced to depend upon interfaces that they do not use. When we have non-cohesive interfaces, the ISP guides us to create multiple, smaller, cohesive interfaces. The original class implements each such interface. Client code can then refer to the class using the smaller interface without knowing that other members exist.
When you apply the ISP, class and their dependencies communicate using tightly-focussed interfaces, minimising dependencies on unused members and reducing coupling accordingly. Smaller interfaces are easier to implement, improving flexibility and the possibility of reuse. As fewer classes share interfaces, the number of changes that are required in response to an interface modification is lowered. This increases robustness.
Example Code
To demonstrate the application of the ISP, we can review some code that violates it and explain how to refactor to comply with the principle. The following code shows the outline of three classes:
public class Contact
{
public string Name { get ; set ; }
public string Address { get ; set ; }
public string EmailAddress { get ; set ; }
public string Telephone { get ; set ; }
}
public class Emailer
{
public void SendMessage(Contact contact, string subject, string body)
{
}
}
public class Dialler
{
public void MakeCall(Contact contact)
{
}
}
|
The Contact class represents a person or business that can be contacted. The class holds the person's name, address, email address and telephone number. The Emailer class sends email messages to contacts. The contact and the subject and body of the email are passed to the parameters. The Dialler class extracts the telephone number from the Contact and calls it using an automatic dialling system.
The example code violates the ISP. The Emailer class is a client of the Contact class. Although it only requires access to the Name and EmailAddress properties, it is aware of other members too. Similarly, the Dialler class uses a single property, "Telephone". However, it has access to the entire Contact interface.
Refactored Code
To refactor the code to comply with the ISP we need to hide unused members from the client classes. We can achieve this by introducing two new interfaces, both implemented by Contact. The IEmailable interface defines properties that hold the name and email address of an object that can receive email. The IDiallable interface includes only a Telephone property, which is enough to allow client classes to call the telephone number of a target object.
The Email class is updated, replacing the Contact dependency with an IEmailable object. Similarly, the Dialler's dependency becomes an IDiallable instance. Both classes now interact with contacts using the smallest possible interface.
With smaller interfaces it is easier to introduce new classes that implement them. To demonstrate, the refactored code includes a new class named "MobileEngineer". This represents engineers that visit customer sites. Engineer has properties for a name, telephone number and vehicle registration. The class implements IDiallable so that the Dialler object can call engineers.
NB: The refactored example code below breaks other SOLID principles in order that the application of the ISP is obvious. Further refactoring of this example is necessary to achieve full compliance.
public interface IEmailable
{
string Name { get ; set ; }
string EmailAddress { get ; set ; }
}
public interface IDiallable
{
string Telephone { get ; set ; }
}
public class Contact : IEmailable, IDiallable
{
public string Name { get ; set ; }
public string Address { get ; set ; }
public string EmailAddress { get ; set ; }
public string Telephone { get ; set ; }
}
public class MobileEngineer : IDiallable
{
public string Name { get ; set ; }
public string Vehicle { get ; set ; }
public string Telephone { get ; set ; }
}
public class Emailer
{
public void SendMessage(IEmailable target, string subject, string body)
{
}
}
public class Dialler
{
public void MakeCall(IDiallable target)
{
}
}
|
Dependency inversion principle :
The Principle
The Dependency Inversion Principle (DIP) states that high level modules should not depend upon low level modules. Both should depend upon abstractions. Secondly, abstractions should not depend upon details. Details should depend upon abstractions.
The idea of high level and low level modules categorises classes in a hierarchical manner. High level modules or classes are those that deal with larger sets of functionality. At the highest level they are the classes that implement business rules within the overall design of a solution. Low level modules deal with more detailed operations. At the lowest level they may deal with writing information to databases or passing messages to the operating system. Of course, there are many levels between the highest and the lowest. The DIP applies to any area where dependencies between classes exist.
The DIP can be described more easily with an example. Consider a banking solution. As a part of the software it is necessary to transfer money between accounts. This may involve a class for a bank account with an account number and a balance value. It may include methods that add or remove funds from the account. To control transfers between accounts you may create a higher level TransferManager class. This may have properties for the two accounts involved in the transaction and for the value of the transfer. A possible design is shown below:

The problem with such a design is that the high level TransferManager class is directly dependent upon the lower level BankAccount class. The Source and Destination properties reference the BankAccount type. This makes it impossible to substitute other account types unless they are subclasses of BankAccount. If we later want to add the ability to transfer money from a bank account to pay bills, the BillAccount class would have to inherit from BankAccount. As bills would not support the removal of funds, this is likely to break the rules of the Liskov Substitution Principle (LSP) or require changes to the TransferManager class that do not comply with the Open / Closed Principle (OCP).
Further problems arise should changes be required to low level modules. A change in the BankAccount class may break the TransferManager. In more complex scenarios, changes to low level classes can cause problems that cascade upwards through the hierarchy of modules. As the software grows, this structural problem can be compounded and the software can become fragile or rigid.
Applying the DIP resolves these problems by removing direct dependencies between classes. Instead, higher level classes refer to their dependencies using abstractions, such as interfaces or abstract classes. The lower level classes implement the interfaces, or inherit from the abstract classes. This allows new dependencies to be substituted without impact. Furthermore, changes to lower levels should not cascade upwards as long as they do not involve changing the abstraction.
The effect of the DIP is that classes are loosely coupled. This increases the robustness of the software and improves flexibility. The separation of high level classes from their dependencies raises the possibility of reuse of these larger areas of functionality. Without the DIP, only the lowest level classes may be easily reusable.
Example Code
To demonstrate the application of the DIP, we can review some code that violates it and explain how to refactor to comply with the principle. We will use example code that matches the UML diagram shown earlier in the article:
public class BankAccount
{
public string AccountNumber { get ; set ; }
public decimal Balance { get ; set ; }
public void AddFunds( decimal value)
{
Balance += value;
}
public void RemoveFunds( decimal value)
{
Balance -= value;
}
}
public class TransferManager
{
public BankAccount Source { get ; set ; }
public BankAccount Destination { get ; set ; }
public decimal Value { get ; set ; }
public void Transfer()
{
Source.RemoveFunds(Value);
Destination.AddFunds(Value);
}
}
|
Let me explain it with a real world example. Suppose we want to have a wooden chair with specific measurements and the kind of wood to be used to make that chair from. Then we can't leave the decision making on measurements and the wood to the carpenter. Here his job is to make a chair based on our requirements with his tools and we provide the specifications to him to make a good chair.
So what is the benefit we get by the design? Yes, we definitely have a benefit with it. We need to modify both the DataExporter class and ExceptionLogger class whenever we need to introduce a new logging functionality. But in the updated design we need to add only another catch block for the new exception logging feature. Coupling is not inherently evil. If you don't have some amount of coupling, your software will not do anything for you. The only thing we need to do is understand the system, requirements and environment properly and find areas where DIP should be followed.
Great, we have gone through the all five SOLID principles successfully. And we can conclude that using these principles we can build an application with tidy, readable and easily maintainable code.
Here you may have some doubt. Yes, about the quantity of code. Because of these principles, the code might become larger in our applications. But my dear friends, you need to compare it with the quality that we get by following these principles. Hmm, but anyway 27 lines are much less than 200 lines. I am not saying that these principles should be followed 100%, you need to draw a Yellow so that you can hold the control over the things like quality and delivery to maintain their balance.