सॉफ्टवेयर इकाइयां जैसे कक्षाएं, मॉड्यूल और कार्य विस्तार के लिए खुले होने चाहिए लेकिन संशोधनों के लिए बंद होने चाहिए।
परिभाषा - ओपन क्लोज सिद्धांत कहता है कि कोड का डिजाइन और लेखन इस तरह से किया जाना चाहिए कि मौजूदा कोड में न्यूनतम परिवर्तनों के साथ नई कार्यक्षमता जोड़ी जाए। डिजाइन इस तरह से किया जाना चाहिए कि नई कार्यक्षमता को नए वर्गों के रूप में जोड़ने की अनुमति दी जाए, जितना संभव हो सके मौजूदा कोड को अपरिवर्तित रखते हुए।
उदाहरण
ओपन क्लोज्ड सिद्धांत से पहले कोड
using System; using System.Net.Mail; namespace SolidPrinciples.Open.Closed.Principle.Before{ public class Rectangle{ public int Width { get; set; } public int Height { get; set; } } public class CombinedAreaCalculator{ public double Area (object[] shapes){ double area = 0; foreach (var shape in shapes){ if(shape is Rectangle){ Rectangle rectangle = (Rectangle)shape; area += rectangle.Width * rectangle.Height; } } return area; } } public class Circle{ public double Radius { get; set; } } public class CombinedAreaCalculatorChange{ public double Area(object[] shapes){ double area = 0; foreach (var shape in shapes){ if (shape is Rectangle){ Rectangle rectangle = (Rectangle)shape; area += rectangle.Width * rectangle.Height; } if (shape is Circle){ Circle circle = (Circle)shape; area += (circle.Radius * circle.Radius) * Math.PI; } } return area; } } }
ओपनक्लोज्ड सिद्धांत के बाद कोड
namespace SolidPrinciples.Open.Closed.Principle.After{ public abstract class Shape{ public abstract double Area(); } public class Rectangle: Shape{ public int Width { get; set; } public int Height { get; set; } public override double Area(){ return Width * Height; } } public class Circle : Shape{ public double Radius { get; set; } public override double Area(){ return Radius * Radius * Math.PI; } } public class CombinedAreaCalculator{ public double Area (Shape[] shapes){ double area = 0; foreach (var shape in shapes){ area += shape.Area(); } return area; } } }