Mastering Software Design: Unlocking the Power of Design Patterns

Zain Alabdin Salameh
16 min readApr 21, 2023

--

Software design patterns are essential tools for software engineers to create reliable, efficient, and maintainable software systems. These patterns are reusable solutions to common software development problems that have been tried and tested over time. They provide a standard approach to software design that can be used across different programming languages and software systems.

There are several types of software design patterns, including creational patterns, structural patterns, and behavioral patterns.

Creational patterns:

focus on the process of object creation and initialization. They are used to provide a flexible and reusable way to create objects that can be easily modified or extended. Some examples of creational patterns include the Singleton pattern, Factory pattern, and Builder pattern.

The Singleton pattern:

ensures that a class has only one instance and provides a global point of access to that instance. This pattern is useful when you need a single point of control for a resource, such as a database connection.

The Factory pattern:

provides a way to create objects without exposing the creation logic to the client. This pattern is useful when you want to create objects of different types based on a set of parameters.

The Builder pattern:

separates the creation of an object from its representation, allowing you to create complex objects step by step.

Structural patterns:

focus on the composition of objects and classes. They are used to provide a way to organize objects into larger structures while keeping the relationships between them flexible and efficient. Some examples of structural patterns include the Adapter pattern, Facade pattern, and Composite pattern.

The Adapter pattern:

provides a way to make incompatible interfaces compatible by wrapping an object in a new interface. This pattern is useful when you want to use an object that has a different interface than the one you need.

The Facade pattern:

provides a simplified interface to a complex system, making it easier to use. This pattern is useful when you want to hide the complexity of a system from the client.

The Composite pattern:

allows you to treat a group of objects as a single object, providing a way to create hierarchical structures.

Behavioral patterns:

focus on the interactions between objects and classes. They are used to provide a way to manage complex communication and control flows between objects. Some examples of behavioral patterns include the Observer pattern, Command pattern, and Strategy pattern.

The Observer pattern:

provides a way to notify multiple objects when a change occurs in one object. This pattern is useful when you want to decouple the objects that need to be notified from the object that is being observed.

The Command pattern:

provides a way to encapsulate a request as an object, allowing you to parameterize clients with different requests. This pattern is useful when you want to decouple the object that invokes the request from the object that performs it.

The Strategy pattern:

provides a way to define a family of algorithms, encapsulate each one, and make them interchangeable. This pattern is useful when you want to provide a way to switch between different algorithms based on runtime conditions.

example of a software system that uses the Singleton pattern is a logging system in a web application:

In a web application, you may want to log various events such as user actions, errors, and performance metrics. To do this, you would typically create a logging class with various methods for logging different types of events. However, you want to ensure that there is only one instance of this logging class throughout the entire application, to avoid multiple instances of the class causing conflicts and inconsistencies in the logging data.

To achieve this, you can use the Singleton pattern to ensure that the logging class has only one instance. This can be done by creating a private constructor for the logging class and a static method that checks if an instance of the class exists. If an instance does not exist, the static method creates one. The static method then returns the instance of the logging class to the caller.

Here’s a simplified example of how this might look in code:

public class LoggingSystem {
private static LoggingSystem instance;

private LoggingSystem() {
// Private constructor to prevent external instantiation
}

public static LoggingSystem getInstance() {
if (instance == null) {
instance = new LoggingSystem();
}
return instance;
}

public void logEvent(String message) {
// Method to log an event to a file or database
}
}

In this example, the LoggingSystem class has a private constructor to prevent external instantiation. The getInstance() method checks if an instance of the class exists, and if not, creates one. The logEvent() method is an example of a method that would be used to log events in the system.

By using the Singleton pattern, you can ensure that there is only one instance of the LoggingSystem class throughout the entire application, making it easier to manage and maintain the logging data.

example of a software system that uses the Factory pattern is a web application that allows users to upload different types of files, such as images, videos, and documents:

When a user uploads a file, the application needs to determine the type of the file and perform different actions depending on the file type. For example, an image file might be resized and stored in a different format, while a document file might be converted to PDF format for better compatibility.

To handle these different file types, you could create a factory class that is responsible for creating different file handler objects based on the type of file. Each file handler object would be responsible for performing the necessary actions for that file type.

Here’s a simplified example of how this might look in code:

public interface FileHandler {
void handleFile(File file);
}

public class ImageFileHandler implements FileHandler {
public void handleFile(File file) {
// Resize and convert image file
}
}

public class DocumentFileHandler implements FileHandler {
public void handleFile(File file) {
// Convert document file to PDF format
}
}

public class FileHandlerFactory {
public static FileHandler createFileHandler(File file) {
String fileType = getFileType(file);

if (fileType.equals("image")) {
return new ImageFileHandler();
} else if (fileType.equals("document")) {
return new DocumentFileHandler();
} else {
throw new IllegalArgumentException("Unsupported file type");
}
}

private static String getFileType(File file) {
// Determine type of file based on file extension or contents
}
}

In this example, the FileHandler interface defines the methods that each file handler object must implement. The ImageFileHandler and DocumentFileHandler classes implement the FileHandler interface and provide the specific implementations for handling image and document files, respectively.

The FileHandlerFactory class is responsible for creating the appropriate file handler object based on the type of file. The createFileHandler() method takes a File object as input and determines the type of file based on its extension or contents. It then returns a new instance of the appropriate file handler object.

By using the Factory pattern, you can create a flexible and extensible system for handling different types of files in a web application. Adding support for new file types is as simple as creating a new file handler class and registering it with the factory.

example of a software system that uses the Builder pattern is a system for creating and sending email messages:

When sending an email, there are many different components that need to be configured, such as the sender, recipient, subject, body, attachments, and so on. These components can vary greatly depending on the requirements of the email message.

To handle this complexity, you could use the Builder pattern to provide a flexible and extensible way to create email messages. This would involve creating a builder class that is responsible for assembling the various components of the email message.

Here’s a simplified example of how this might look in code:

public class EmailMessage {
private String sender;
private String recipient;
private String subject;
private String body;
private List<Attachment> attachments;

private EmailMessage(EmailMessageBuilder builder) {
this.sender = builder.sender;
this.recipient = builder.recipient;
this.subject = builder.subject;
this.body = builder.body;
this.attachments = builder.attachments;
}

public static class EmailMessageBuilder {
private String sender;
private String recipient;
private String subject;
private String body;
private List<Attachment> attachments;

public EmailMessageBuilder(String sender, String recipient) {
this.sender = sender;
this.recipient = recipient;
this.attachments = new ArrayList<>();
}

public EmailMessageBuilder withSubject(String subject) {
this.subject = subject;
return this;
}

public EmailMessageBuilder withBody(String body) {
this.body = body;
return this;
}

public EmailMessageBuilder withAttachment(Attachment attachment) {
this.attachments.add(attachment);
return this;
}

public EmailMessage build() {
return new EmailMessage(this);
}
}
}

public class Attachment {
private String fileName;
private byte[] data;

public Attachment(String fileName, byte[] data) {
this.fileName = fileName;
this.data = data;
}

// Getters and setters omitted for brevity
}

In this example, the EmailMessage class represents an email message and has private fields for the sender, recipient, subject, body, and attachments. The EmailMessageBuilder class is a nested static class inside the EmailMessage class and is responsible for assembling the components of the email message. The Attachment class represents a file attachment for the email and has fields for the file name and data.

The EmailMessageBuilder class has methods for setting the various components of the email message, such as the subject, body, and attachments. Each method returns the builder instance to allow for method chaining. The build() method creates a new instance of the EmailMessage class using the components that have been set in the builder.

To create a new email message, you would typically use the builder like this:

EmailMessage email = new EmailMessage.EmailMessageBuilder("sender@example.com", "recipient@example.com")
.withSubject("Hello, world!")
.withBody("This is a test email.")
.withAttachment(new Attachment("image.jpg", imageData))
.build();

By using the Builder pattern, you can create a flexible and extensible system for creating email messages that can easily be modified or extended as needed.

example of a software system that uses the Adapter pattern is a system that needs to integrate with a third-party API that has a different interface than the one used by the rest of the system.

For example, let’s say that a web application needs to integrate with a payment gateway API to process payments. The payment gateway API requires requests to be sent in a specific format and using a specific protocol, such as SOAP or REST. However, the web application uses a different interface to communicate with its backend systems, such as a custom JSON API.

To handle this incompatibility, you could create an adapter class that acts as a bridge between the two interfaces. The adapter class would be responsible for translating requests and responses between the two interfaces.

Here’s a simplified example of how this might look in code:

public interface PaymentGateway {
void processPayment(String creditCardNumber, double amount);
}

public class ThirdPartyPaymentGateway {
public void submitPayment(String cardNumber, double amount) {
// Send payment request to third-party API
}
}

public class PaymentGatewayAdapter implements PaymentGateway {
private ThirdPartyPaymentGateway gateway;

public PaymentGatewayAdapter(ThirdPartyPaymentGateway gateway) {
this.gateway = gateway;
}

public void processPayment(String creditCardNumber, double amount) {
String cardNumber = normalizeCreditCardNumber(creditCardNumber);
gateway.submitPayment(cardNumber, amount);
}

private String normalizeCreditCardNumber(String creditCardNumber) {
// Normalize credit card number to match format expected by third-party API
}
}

In this example, the PaymentGateway interface represents the interface used by the web application to process payments. The ThirdPartyPaymentGateway class represents the third-party API that the web application needs to integrate with. The PaymentGatewayAdapter class is the adapter class that translates requests and responses between the two interfaces.

The PaymentGatewayAdapter class implements the PaymentGateway interface and takes an instance of the ThirdPartyPaymentGateway class as a constructor argument. The processPayment() method in the adapter class translates the credit card number to the format expected by the third-party API and then calls the submitPayment() method on the ThirdPartyPaymentGateway instance.

By using the Adapter pattern, you can integrate systems with incompatible interfaces without having to modify the existing code or infrastructure. The adapter acts as a bridge between the two interfaces and allows them to communicate seamlessly, making it easier to integrate third-party systems and services into your software systems.

example of a software system that uses the Facade pattern is a multimedia player application:

A multimedia player application needs to play various types of media, such as audio and video files, and provide controls for playing, pausing, stopping, and seeking through the media. However, playing media can be a complex process that involves multiple components, such as codecs, parsers, and rendering engines. To make it easier for the user to interact with the application, you could create a facade class that provides a simplified interface for playing media.

Here’s a simplified example of how this might look in code:

public class MultimediaPlayerFacade {
private AudioPlayer audioPlayer;
private VideoPlayer videoPlayer;

public MultimediaPlayerFacade() {
this.audioPlayer = new AudioPlayer();
this.videoPlayer = new VideoPlayer();
}

public void play(String filePath) {
String fileType = getFileType(filePath);

if (fileType.equals("audio")) {
audioPlayer.play(filePath);
} else if (fileType.equals("video")) {
videoPlayer.play(filePath);
} else {
throw new IllegalArgumentException("Unsupported file type");
}
}

public void pause() {
audioPlayer.pause();
videoPlayer.pause();
}

public void stop() {
audioPlayer.stop();
videoPlayer.stop();
}

public void seek(long position) {
audioPlayer.seek(position);
videoPlayer.seek(position);
}

private String getFileType(String filePath) {
// Determine type of file based on file extension or contents
}
}

In this example, the MultimediaPlayerFacade class is the facade class that provides a simplified interface for playing media files. The AudioPlayer and VideoPlayer classes are the complex components that handle the playback of audio and video files, respectively.

The play() method in the facade class takes a file path as input and determines the type of file based on its extension or contents. It then calls the appropriate method on the AudioPlayer or VideoPlayer instance to play the media file.

The pause(), stop(), and seek() methods in the facade class simply delegate the calls to the corresponding methods on the AudioPlayer and VideoPlayer instances.

By using the Facade pattern, you can simplify the interface of a complex system and provide a more user-friendly experience for interacting with the system. In the case of a multimedia player application, the facade class provides a simple and consistent interface for playing different types of media files, making it easier for users to enjoy their favorite music and videos without having to worry about the complexity of the underlying playback system.

example of a software system that uses the Composite pattern is a file system application:

In a file system, there are different types of objects, such as files and directories, and these objects can be nested within each other to form a hierarchical structure. To represent this structure in a software system, you could use the Composite pattern to create a tree-like structure of objects that can be treated uniformly.

Here’s a simplified example of how this might look in code:

public interface FileSystemObject {
String getName();
long getSize();
void print();
}

public class File implements FileSystemObject {
private String name;
private long size;

public File(String name, long size) {
this.name = name;
this.size = size;
}

public String getName() {
return name;
}

public long getSize() {
return size;
}

public void print() {
System.out.println(getName() + " (" + getSize() + ")");
}
}

public class Directory implements FileSystemObject {
private String name;
private List<FileSystemObject> children;

public Directory(String name) {
this.name = name;
this.children = new ArrayList<>();
}

public String getName() {
return name;
}

public long getSize() {
long size = 0;
for (FileSystemObject child : children) {
size += child.getSize();
}
return size;
}

public void add(FileSystemObject child) {
children.add(child);
}

public void remove(FileSystemObject child) {
children.remove(child);
}

public void print() {
System.out.println(getName() + " (" + getSize() + ")");
for (FileSystemObject child : children) {
child.print();
}
}
}

In this example, the FileSystemObject interface represents the common interface for files and directories. The File class represents a file in the file system and the Directory class represents a directory in the file system.

The Directory class implements the FileSystemObject interface and contains a list of child objects, which can be either files or directories. The add() and remove() methods in the Directory class allow you to add or remove child objects from the directory.

The getSize() method in the Directory class calculates the total size of the directory and all its child objects recursively. The print() method in the Directory class prints the name and size of the directory and all its child objects recursively.

By using the Composite pattern, you can create a unified interface for working with files and directories in a file system. This makes it easier to work with the file system as a whole and enables you to manipulate the objects in a consistent and uniform way.

One example of a software system that uses the Observer pattern is a weather monitoring application:

In a weather monitoring application, there are different types of data sources, such as temperature sensors and humidity sensors, and these data sources can change over time as the weather conditions change. To represent this dynamic data in a software system, you could use the Observer pattern to create a system where multiple observers can receive updates from a subject when its state changes.

Here’s a simplified example of how this might look in code:

public interface WeatherDataSubject {
void registerObserver(WeatherDataObserver observer);
void removeObserver(WeatherDataObserver observer);
void notifyObservers();
}

public interface WeatherDataObserver {
void update(double temperature, double humidity, double pressure);
}

public class WeatherStation implements WeatherDataSubject {
private double temperature;
private double humidity;
private double pressure;
private List<WeatherDataObserver> observers;

public WeatherStation() {
this.observers = new ArrayList<>();
}

public void setMeasurements(double temperature, double humidity, double pressure) {
this.temperature = temperature;
this.humidity = humidity;
this.pressure = pressure;
notifyObservers();
}

public void registerObserver(WeatherDataObserver observer) {
observers.add(observer);
}

public void removeObserver(WeatherDataObserver observer) {
observers.remove(observer);
}

public void notifyObservers() {
for (WeatherDataObserver observer : observers) {
observer.update(temperature, humidity, pressure);
}
}
}

public class Display implements WeatherDataObserver {
public void update(double temperature, double humidity, double pressure) {
System.out.println("Current temperature: " + temperature);
System.out.println("Current humidity: " + humidity);
System.out.println("Current pressure: " + pressure);
}
}

In this example, the WeatherDataSubject interface represents the common interface for weather data subjects, such as the WeatherStation class. The WeatherDataObserver interface represents the common interface for weather data observers, such as the Display class.

The WeatherStation class implements the WeatherDataSubject interface and contains the data for temperature, humidity, and pressure. The setMeasurements() method in the WeatherStation class updates the data and calls the notifyObservers() method to notify all registered observers of the change.

The Display class implements the WeatherDataObserver interface and defines the update() method, which is called by the WeatherStation class when the data changes. In this example, the update() method simply prints the current temperature, humidity, and pressure to the console.

By using the Observer pattern, you can create a system where multiple observers can be notified of changes to a subject’s state, enabling you to create dynamic and responsive software systems. In the case of a weather monitoring application, the Observer pattern allows you to display real-time data from different sensors and update the display as the weather conditions change.

example of a software system that uses the Command pattern is a text editor application:

In a text editor application, there are different types of user actions, such as typing, deleting, and formatting text, and these actions need to be executed in a specific order to produce the desired output. To represent these actions in a software system, you could use the Command pattern to create a system where each user action is represented by a separate command object.

Here’s a simplified example of how this might look in code:

public interface Command {
void execute();
void undo();
}

public class InsertCommand implements Command {
private TextEditor textEditor;
private String text;

public InsertCommand(TextEditor textEditor, String text) {
this.textEditor = textEditor;
this.text = text;
}

public void execute() {
textEditor.insertText(text);
}

public void undo() {
textEditor.deleteText(text.length());
}
}

public class DeleteCommand implements Command {
private TextEditor textEditor;
private String deletedText;

public DeleteCommand(TextEditor textEditor, int length) {
this.textEditor = textEditor;
this.deletedText = textEditor.deleteText(length);
}

public void execute() {
// Do nothing
}

public void undo() {
textEditor.insertText(deletedText);
}
}

public class TextEditor {
private String text;

public void insertText(String text) {
// Insert text at current cursor position
}

public String deleteText(int length) {
// Delete text from current cursor position
return deletedText;
}

public void undoLastCommand() {
// Undo the last command
}
}

public class TextEditorInvoker {
private Command command;

public void setCommand(Command command) {
this.command = command;
}

public void executeCommand() {
command.execute();
}

public void undoLastCommand() {
command.undo();
}
}

In this example, the Command interface represents the common interface for text editor commands, such as the InsertCommand and DeleteCommand classes. The TextEditor class represents the text editor application and contains the data for the text.

The InsertCommand class implements the Command interface and represents the command for inserting text into the text editor. The execute() method in the InsertCommand class inserts the text at the current cursor position, while the undo() method in the InsertCommand class deletes the inserted text.

The DeleteCommand class implements the Command interface and represents the command for deleting text from the text editor. The execute() method in the DeleteCommand class does nothing, while the undo() method in the DeleteCommand class inserts the deleted text back into the text editor.

The TextEditorInvoker class represents the invoker of the commands and contains a reference to the current command. The setCommand() method in the TextEditorInvoker class sets the current command, the executeCommand() method in the TextEditorInvoker class executes the current command, and the undoLastCommand() method in the TextEditorInvoker class undoes the last command.

By using the Command pattern, you can encapsulate user actions as separate objects and enable the undo and redo functionality in your software system. In the case of a text editor application, the Command pattern allows you to execute user actions in a specific order and provide an easy way to undo and redo those actions.

example of a software system that uses the Strategy pattern is a payment processing application:

In a payment processing application, there are different types of payment methods, such as credit cards, PayPal, and bank transfers, and each payment method has its own algorithm for processing payments. To represent these payment methods in a software system, you could use the Strategy pattern to create a system where each payment method is represented by a separate strategy object.

Here’s a simplified example of how this might look in code:

public interface PaymentStrategy {
void processPayment(double amount);
}

public class CreditCardPaymentStrategy implements PaymentStrategy {
private String cardNumber;
private String expirationDate;
private String cvv;

public CreditCardPaymentStrategy(String cardNumber, String expirationDate, String cvv) {
this.cardNumber = cardNumber;
this.expirationDate = expirationDate;
this.cvv = cvv;
}

public void processPayment(double amount) {
// Process credit card payment
}
}

public class PayPalPaymentStrategy implements PaymentStrategy {
private String email;
private String password;

public PayPalPaymentStrategy(String email, String password) {
this.email = email;
this.password = password;
}

public void processPayment(double amount) {
// Process PayPal payment
}
}

public class BankTransferPaymentStrategy implements PaymentStrategy {
private String bankName;
private String accountNumber;
private String routingNumber;

public BankTransferPaymentStrategy(String bankName, String accountNumber, String routingNumber) {
this.bankName = bankName;
this.accountNumber = accountNumber;
this.routingNumber = routingNumber;
}

public void processPayment(double amount) {
// Process bank transfer payment
}
}

public class PaymentProcessor {
private PaymentStrategy paymentStrategy;

public void setPaymentStrategy(PaymentStrategy paymentStrategy) {
this.paymentStrategy = paymentStrategy;
}

public void processPayment(double amount) {
paymentStrategy.processPayment(amount);
}
}

In this example, the PaymentStrategy interface represents the common interface for payment strategies, such as the CreditCardPaymentStrategy, PayPalPaymentStrategy, and BankTransferPaymentStrategy classes.

Each payment strategy class implements the PaymentStrategy interface and contains the data specific to the payment method, such as the card number for a credit card payment or the bank name for a bank transfer payment. The processPayment() method in each payment strategy class contains the algorithm for processing the payment for that specific payment method.

The PaymentProcessor class represents the payment processor and contains a reference to the current payment strategy. The setPaymentStrategy() method in the PaymentProcessor class sets the current payment strategy, and the processPayment() method in the PaymentProcessor class executes the payment processing algorithm for the current payment strategy.

By using the Strategy pattern, you can encapsulate different algorithms for processing payments and enable the flexibility to switch between payment methods at runtime. In the case of a payment processing application, the Strategy pattern allows you to easily add new payment methods and switch between them without changing the payment processing code.

In conclusion:

software design patterns are a set of reusable solutions to common software development problems. By using these patterns, software engineers can create flexible, efficient, and maintainable software systems that can be easily modified or extended.

The creational patterns, such as the Singleton, Factory, and Builder patterns, focus on the process of object creation and initialization. They provide a way to create objects that can be easily modified or extended and ensure that there is only one instance of a class throughout the entire application.

--

--