Why I’m Taking This Course: A Developer’s Perspective
1. Evolution from Prompting to Autonomous AI
After years of building systems, web apps, and integrations, I’ve witnessed AI evolve into something more dynamic. Traditional models respond; Agentic AI acts autonomously, pursues multi-step objectives, adapts, and reasons—unlocking a new tier of intelligent systems.
2. Hands-On Tool Experience
The programme emphasizes practical learning via tools like LangChain, CrewAI, Flowise, ChromaDB, FAISS, and LLM pipelines—far beyond theory.
3. Real-World Learning Through Projects & Capstone
The 20+ graded assignments and the culminating capstone project offer real, applied experience—an ideal fit for professionals who value learning by doing.
4. Certification for Credibility
Graduating participants earn three IBM certifications (AI Agent Building, Generative AI for Business, Responsible AI), alongside an IITM Pravartak certificate—a powerful combination of academic and industry recognition.
5. Designed for Professionals Like Me
The schedule blends live online sessions with self-paced learning, ideal for someone balancing full-time work commitments.
6. Networking with Thought-Leadership
From guest masterclasses by IITM faculty to an optional immersion at the IITM Research Park, this is a unique chance to interact with peers and mentors
Provides consistent test behavior across machines — no “works on my machine” excuses.
In a Maven/Gradle + JUnit + Mockito + Spring Boot project, there’s no built-in guarantee that one test class runs before another—JUnit treats tests as independent units and (by design) doesn’t define a default execution order.
Configure Maven Surefire Plugin
You can explicitly specify test run order in pom.xml:
In software development, the Prototype design pattern provides a mechanism for creating new objects by cloning existing ones. It allows the creation of object instances without depending on complex initialization logic, resulting in improved performance and flexibility.
The Prototype pattern is a creational design pattern in Java that allows you to create copies (clones) of objects without making the code dependent on their concrete classes. It provides a way to copy existing objects instead of creating new instances from scratch. This can be useful when object creation is expensive or complex, and you want to create variations of objects with different configurations.
Prototype pattern is used when the Object creation is a costly affair and requires a lot of time and resources and you have a similar object already existing. So this pattern provides a mechanism to copy the original object to a new object and then modify it according to our needs. This pattern uses java cloning to copy the object.
Explanation
The pattern defines a prototype interface or abstract class that declares a method for cloning objects, and concrete classes implement this interface to provide their cloning logic.
It would be easy to understand this pattern with an example, suppose we have an Object that loads data from database. Now we need to modify this data in our program multiple times, so it’s not a good idea to create the Object using new keyword and load all the data again from database. So the better approach is to clone the existing object into a new object and then do the data manipulation.
** Prototype design pattern mandates that the Object which you are copying should provide the copying feature. It should not be done by any other class. However whether to use shallow or deep copy of the Object properties depends on the requirements and it’s a design decision.
One example of how this can be useful is if an original object is created with a resource such as a data stream that may not be available at the time that a clone of the object is needed. Another example is if the original object creation involves a significant time commitment, such as reading data from a database or over a network.
Key Features of the Prototype Design Pattern:
Prototype Interface/Abstract Class: The Prototype design pattern defines a prototype interface or abstract class with a clone method like doClone() that enables the creation of new objects by cloning existing ones. The doClone() method returns the object of same type.
Concrete Prototypes: Concrete prototype classes implement the prototype interface/abstract class and provide their cloning logic. They create new instances by copying the data from an existing object.
Client: The client class is responsible for requesting new object instances from the prototypes by invoking the clone method like doClone().
Benefits
Reduces object creation overhead: The Prototype pattern avoids costly object initialization processes by creating new objects through cloning.
Improves performance: Creating new objects by cloning is typically faster than invoking constructors and initializing object properties.
Enhances flexibility: Prototypes allow dynamic creation of objects at runtime based on existing instances, providing flexibility in object creation.
Supports object customization: Cloned objects can be modified individually without affecting the original prototype
Usage in JDK : java.lang.Object#clone ()
Implementing the Prototype Design Pattern in Java
Let’s demonstrate the implementation of the Prototype design pattern using Java code. We’ll create an example of a Shape prototype that allows the creation of different shapes by cloning existing ones.
// Prototype Interface - Shape
public interface Shape extends Cloneable {
void draw();
Shape doClone();
}
// Concrete Prototype - Rectangle
public class Rectangle implements Shape {
@Override
public void draw() {
System.out.println("Drawing a rectangle.");
}
@Override
public Shape doClone() {
try {
return (Shape) super.clone();
} catch (CloneNotSupportedException e) {
return null;
}
}
}
// Concrete Prototype - Circle
public class Circle implements Shape {
@Override
public void draw() {
System.out.println("Drawing a circle.");
}
@Override
public Shape doClone() {
try {
return (Shape) super.clone();
} catch (CloneNotSupportedException e) {
return null;
}
}
}
public class Application {
public static void main(String[] args) {
Shape rectangle = new Rectangle();
Shape clonedRectangle = rectangle.doClone();
rectangle.draw(); // Output: Drawing a rectangle.
clonedRectangle.draw(); // Output: Drawing a rectangle.
Shape circle = new Circle();
Shape clonedCircle = circle.doClone();
circle.draw(); // Output: Drawing a circle.
clonedCircle.draw(); // Output: Drawing a circle.
}
}
The Shape interface serves as the prototype interface, declaring the draw method for drawing shapes and the clone method for creating new instances.
The Rectangle and Circle classes are concrete prototype implementations that implement the Shape interface. They define their own cloning logic by overriding the clone method and provide the implementation for the draw method.
In the above example, we create instances of the Rectangle and Circle shapes. We then clone these objects using their doClone method, resulting in new instances that are independent but identical to the originals. Finally, we call the draw method on both the original and cloned objects, verifying their functionality.
Use cases
When the classes to instantiate are specified at run-time, for example, by dynamic loading; or
To avoid building a class hierarchy of factories that parallels the class hierarchy of products; or
When instances of a class can have one of only a few different combinations of state. It may be more convenient to install a corresponding number of prototypes and clone them rather than instantiating the class manually, each time with the appropriate state.
Implementation of Prototype pattern – real example
package com.rndayala.designpatterns.prototype;
//Product interface
public interface Product extends Cloneable {
void setName(String name);
String getName();
void setPrice(double price);
double getPrice();
Product clone();
}
//Concrete product class: Shirt
public class Shirt implements Product {
private String name;
private double price;
public Shirt(String name, double price) {
this.name = name;
this.price = price;
}
@Override
public void setName(String name) {
this.name = name;
}
@Override
public String getName() {
return name;
}
@Override
public void setPrice(double price) {
this.price = price;
}
@Override
public double getPrice() {
return price;
}
@Override
public Product clone() {
return new Shirt(this.name, this.price);
}
}
//Concrete product class: Pants
public class Pants implements Product {
private String name;
private double price;
public Pants(String name, double price) {
this.name = name;
this.price = price;
}
@Override
public void setName(String name) {
this.name = name;
}
@Override
public String getName() {
return name;
}
@Override
public void setPrice(double price) {
this.price = price;
}
@Override
public double getPrice() {
return price;
}
@Override
public Product clone() {
return new Pants(this.name, this.price);
}
}
//Concrete product class: Shoes
public class Shoes implements Product {
private String name;
private double price;
public Shoes(String name, double price) {
this.name = name;
this.price = price;
}
@Override
public void setName(String name) {
this.name = name;
}
@Override
public String getName() {
return name;
}
@Override
public void setPrice(double price) {
this.price = price;
}
@Override
public double getPrice() {
return price;
}
@Override
public Product clone() {
return new Shoes(this.name, this.price);
}
}
// Client code
public class Demo {
public static void main(String[] args) {
Product shirt1 = new Shirt("Basic Shirt", 25.0);
Product pant1 = new Pants("Casual Pants", 40.0);
Product shoe1 = new Shoes("Sports Shoes", 60.0);
Product shirt2 = shirt1.clone();
shirt2.setName("Fancy Shirt");
Product pant2 = pant1.clone();
pant2.setPrice(50.0);
System.out.println("Shirt: " + shirt2.getName() + ", Price: $" + shirt2.getPrice());
System.out.println("Pants: " + pant2.getName() + ", Price: $" + pant2.getPrice());
System.out.println("Shoes: " + shoe1.getName() + ", Price: $" + shoe1.getPrice());
}
}
In this example, we have implemented the Prototype pattern in the context of an e-commerce application. The Product interface acts as the prototype, and the concrete product classes (Shirt, Pants, and Shoes) implement the cloning functionality. This allows for easy creation of variations of products with different configurations without the need to create new objects from scratch.
The Prototype design pattern offers an efficient way to create new objects by cloning existing ones, eliminating the need for complex initialization processes. By utilizing the prototype interface and concrete prototype classes, the pattern enables the creation of new instances while preserving their characteristics. In Java, the Prototype pattern is commonly used when object creation is expensive, or when objects need to be customized based on existing instances.
The Template Method design pattern is a behavioral design pattern that defines the outline or skeleton of an algorithm in a method but allows some steps of the algorithm to be implemented by subclasses. It promotes code reuse by providing a common structure for related algorithms while allowing specific steps to be customized in the subclasses.
It defines the skeleton of an algorithm in a base class, allowing subclasses to provide specific implementations for certain steps. It enables subclasses to customize specific parts of the algorithm while preserving the overall structure.
The Template Method pattern can be used in situations when there is an algorithm, some steps of which could be implemented in multiple different ways. In such scenarios, the Template Method pattern suggests keeping the outline of the algorithm in a separate method referred to as a template method inside a class, which may be referred to as a template class, leaving out the specific implementations of the variant portions (steps that can be implemented in multiple different ways) of the algorithm to different subclasses of this class.
Template Method lets subclasses to override/redefine certain steps of an algorithm without changing the algorithm’s structure.
The template method pattern provides a basic outline, but it allows you to customize and add your own variations to the solution.
Explanation
The Template Method design pattern is a way to create a standardized procedure for solving a problem.
It provides a set of steps that must be followed in a specific order to solve the problem. It lets subclasses to redefine certain steps of an algorithm without changing the algorithm’s structure.
The Template Method pattern is useful when you have a common algorithm with several variations, and you want to avoid code duplication among these variations. Instead of duplicating the common code in each subclass, you define the common algorithm in a base class (or abstract class) as a template method. The template method contains fixed steps of the algorithm that should not be modified and calls abstract or hook methods that the subclasses can override to provide their own implementation.
Key components of the Template Method pattern:
Abstract Class (or Base Class): The abstract class defines the skeleton of the algorithm by providing a template method that orchestrates the steps of the algorithm. It may also include default implementations for some steps. It contains fixed steps of the algorithm and may include abstract methods or hook methods that can be overridden by subclasses.
Concrete Classes (Subclasses): These classes inherit from the abstract class and provide concrete implementations for the abstract or hook methods. Each subclass can customize specific steps of the algorithm without changing the overall structure.
Template Method: The template method is the main method in the abstract class that defines the structure of the algorithm. It calls the individual steps, including both the common steps and the ones to be overridden by subclasses.
Hook Methods: Hook methods are optional methods in the abstract class that subclasses can choose to override if they need additional customization points within the algorithm.
Implementation details
The Template Method design pattern in Java can be implemented by defining a base class with a template method that implements the algorithm, and providing hooks or abstract methods for the subclasses to override. The subclasses then provide their own implementation for the hooks, if necessary to customize the behavior.
** The Template class does not necessarily have to leave the implementation to subclasses in its entirety. Instead, as part of providing the outline of the algorithm, the Template class can also provide some amount of implementation that can be considered as invariant across different implementations. It can even provide default implementation for the variant parts, if appropriate. Only specific details will be implemented inside different subclasses. This type of implementation eliminates the need for duplicate code, which means a minimum amount of code to be written.
Template method should consist of certain steps whose order is fixed and for some of the methods; implementation differs from base class to subclass. Template method should be final.
// Abstract Class (Template)
abstract class Beverage {
// template method - that specifies the steps that define the algorithm
public final void prepareBeverage() {
boilWater();
brew();
pourInCup();
addCondiments();
}
// some of the steps common
protected void boilWater() {
System.out.println("Boiling water");
}
// some of the steps, the subclasses can provide specific implementation
protected abstract void brew();
protected void pourInCup() {
System.out.println("Pouring into cup");
}
protected abstract void addCondiments();
}
// Concrete Class 1
class Coffee extends Beverage {
@Override
protected void brew() {
System.out.println("Brewing coffee");
}
@Override
protected void addCondiments() {
System.out.println("Adding milk and sugar");
}
}
// Concrete Class 2
class Tea extends Beverage {
@Override
protected void brew() {
System.out.println("Steeping tea bag");
}
@Override
protected void addCondiments() {
System.out.println("Adding lemon");
}
}
// Usage
public class Main {
public static void main(String[] args) {
Beverage coffee = new Coffee();
Beverage tea = new Tea();
System.out.println("Preparing Coffee:");
coffee.prepareBeverage();
System.out.println("\nPreparing Tea:");
tea.prepareBeverage();
}
}
Output :
Preparing Coffee:
Boiling water
Brewing coffee
Pouring into cup
Adding milk and sugar
Preparing Tea:
Boiling water
Steeping tea bag
Pouring into cup
Adding lemon
In this example, the Beverage class is the abstract class that defines the template method prepareBeverage(), which outlines the beverage preparation process. It includes fixed steps (boilWater() and pourInCup()) and abstract methods (brew() and addCondiments()). The Coffee and Tea classes are concrete subclasses that extend Beverage and provide their specific implementations for brew() and addCondiments().
The Template Method pattern allows the common steps of the beverage preparation process to be shared among the different beverage types while allowing each type to define its unique way of brewing and adding condiments. This leads to better code organization, reusability, and maintainability.
The Template Method pattern is useful in situations where you want to provide a default implementation for a certain algorithm, while allowing subclasses to provide their own specific implementation details for certain steps.
Use cases
To implement the invariant parts of an algorithm once and leave it up to subclasses to implement the behavior that can vary.
When common behavior among subclasses should be factored and localized in a common class to avoid code duplication. You first identify the differences in the existing code and then separate the differences into new operations. Finally, you replace the differing code with a template method that calls one of these new operations.
package com.rndayala.designpatterns.templatemethod;
public abstract class Game {
// this is common method to initalize the video game
public void initialize() {
System.out.println("Welcome to EA Sports. Game Initialized..");
}
abstract void startPlay();
abstract void endPlay();
// template method - we mark it as final
public final void play() {
initialize();
startPlay();
endPlay();
}
}
Concrete Class – Cricket
package com.rndayala.designpatterns.templatemethod;
public class Cricket extends Game {
@Override
void startPlay() {
System.out.println("Cricket Game started. Enjoy the Game!");
}
@Override
void endPlay() {
System.out.println("Cricket Game Finished.");
}
}
Concrete Class – Football
package com.rndayala.designpatterns.templatemethod;
public class Football extends Game {
@Override
void startPlay() {
System.out.println("Football Game started. Enjoy the Game!");
}
@Override
void endPlay() {
System.out.println("Football Game Finished.");
}
}
Client code / Demo
package com.rndayala.designpatterns.templatemethod;
public class Demo {
public static void main(String[] args) {
Game game = new Cricket();
game.play();
System.out.println();
game = new Football();
game.play();
}
}
Output :
Welcome to EA Sports. Game Initialized..
Cricket Game started. Enjoy the Game!
Cricket Game Finished.
Welcome to EA Sports. Game Initialized..
Football Game started. Enjoy the Game!
Football Game Finished.
The Template Method design pattern is used in situations where you want to define the skeleton of an algorithm, but allow subclasses to provide the implementation for some of the steps.
When to use the template method design pattern is when you are implementing a common task that has multiple steps, and some of the steps may change based on specific requirements. By using template method pattern, you can define the basic steps and let subclasses implement the specific details for each step. This way, you can maintain the common interface, but still provide the flexibility to change the algorithm as needed.
In Java, the Template Method pattern is widely used to define the structure of algorithms while allowing subclasses to provide specific implementations for certain steps.
The Observer design pattern is a behavioral software design pattern that is used to establish a one-to-many dependency between objects. In this pattern, when one object (known as the subject) changes its state, all its dependents (known as observers) are automatically notified and updated accordingly.
It allows multiple objects to be notified of changes in the state of another object without requiring them to know the specifics of the subject.
The Observer Design Pattern is a way for one object, known as the subject, to send updates to multiple other objects, known as observers, when it changes.
An example of this pattern in real life could be a weather service sending updates to different weather apps when the weather changes. The weather service is the subject and the weather apps are the observers.
Explanation
The Observer Design Pattern is a way for one object, known as the subject, to notify multiple other objects, known as observers, about changes in its state. The subject maintains a list of its observers and notifies them when its state changes.
In observer design pattern multiple observer objects registers with a subject for change notification. When the state of subject changes, it notifies the observers.
Objects that listen or watch for change are called observers and the object that is being watched for is called subject.
Pattern involved is also called as publish-subscribe pattern.
Subject provides interface for observers to register and unregister themselves with the subject.
Subject knows who its subscribers are.
Multiple observers can subscribe for notifications.
Subject publishes the notifications.
Subject just sends the notification saying the state has changed. It does not pass any state information.
Once the notification is received from subject, observers call the subject and get data that is changed.
In some implementations, along with the notification, state is also passed so that the observer need not query back to know the status. It is better not to do this way.
There are 4 participants in the Observer pattern:
Subject, which is used to register observers. Objects use this interface to register as observers and also to remove themselves from being observers.
Observer defines an updating interface for objects that should be notified of changes in a subject. All observers need to implement the Observer interface. This interface has a method update (), which gets called when the Subject’s state changes.
ConcreteSubject, stores the state of interest to ConcreteObserver objects. It sends a notification to its observers when its state changes. A concrete subject always implements the Subject interface. The notifyObservers () method is used to update all the current observers whenever the state changes.
ConcreateObserver maintains a reference to a ConcreteSubject object and implements the Observer interface. Each observer registers with a concrete subject to receive updates.
This pattern can be useful in situations where multiple objects need to stay updated with the state of a single object, and the objects do not need to interact directly with each other.
This pattern is widely used in many different applications, such as GUI applications, event-driven systems, and reactive programming. It is a fundamental pattern that can help you to design more flexible and scalable systems.
Benefits
The Observer design pattern offers several benefits, making it a valuable tool in software development. Here are some of the key benefits of using the Observer pattern:
Loose coupling: The Observer pattern promotes loose coupling between the subject and its observers. Observers don’t need to know the specifics of the subject’s implementation; they only rely on the common Observer interface. This reduces the dependencies between classes, making the code more maintainable and flexible.
Extensibility: Introducing new observers becomes easy. You can create new observer classes without modifying the subject. This makes it simple to add new functionalities to a system without affecting existing code.
Reusability: Observers can be reused in different contexts with different subjects. This reusability is possible because of the separation of concerns provided by the Observer pattern.
Event handling: The Observer pattern is commonly used in event-driven systems. When an event occurs, the subject notifies its observers, and they can respond to the event accordingly. This facilitates a clean and efficient way of handling events in the application.
Decoupled UI components: In graphical user interfaces (GUIs), the Observer pattern is often used to ensure that the UI components are decoupled from the underlying data. UI components can register themselves as observers to receive updates when the data changes, allowing for a responsive and synchronized user interface.
Real-time updates: The Observer pattern is useful in scenarios where real-time updates are needed. For example, in chat applications or stock market monitoring systems, observers can be notified immediately when new messages or stock prices arrive.
Maintainability: By separating the concerns of the subject and its observers, the codebase becomes easier to maintain. Changes to one part of the system are less likely to affect other parts, reducing the risk of introducing bugs and making it easier to refactor or add new features.
Scalability: The Observer pattern enables a scalable architecture by allowing multiple observers to be added or removed dynamically at runtime. This is particularly valuable in large applications where different components need to react to changes in a subject independently.
Overall, the Observer design pattern provides a powerful mechanism for building flexible and decoupled systems, enabling better code organization and easier maintenance. It is widely used in various domains, including user interfaces, event handling, and real-time applications.
Implementation
Let us take a blog and subscriber example for observer design pattern sample implementation. Assume that there is a blog and users register to that blog for update. When a new article is posted in the blog, it will send update to the registered users saying a new article is posted. Then the user will access the blog and read the new article posted. In this example, blog is the subject and user is the observer.
package com.rndayala.designpatterns.observable;
import java.util.ArrayList;
import java.util.List;
// Concrete Subject class
public class Blog implements Subject {
// Concrete Subject maintains list of observers
private List<Observer> observers = null;
// this instance variable maintains the state of Concrete subject
private String blogContent;
public Blog() {
System.out.println("Initializing subject(blog)..");
this.observers = new ArrayList<Observer>();
blogContent = "";
}
@Override
public void registerObserver(Observer observer) {
System.out.println("registering an observer!");
observers.add(observer);
}
@Override
public void unregisterObserver(Observer observer) {
System.out.println("un-registering an observer!");
observers.remove(observer);
}
// when the state of subject changes, we need to notify observers
public void postNewArticle(String data) {
blogContent = data;
notifyObservers();
}
@Override
public void notifyObservers() {
// for each observer, call the update() method allowing observer to react to the change in subject state
for (Observer observer : observers) {
observer.update(this);
System.out.println("Observer notified!!");
}
}
@Override
public Object getUpdate() {
return blogContent;
}
// method to return the list of observers registered with the subject
public List<Observer> getObserversList() {
return observers;
}
}
Concrete observer implementation – User class
package com.rndayala.designpatterns.observable;
public class User implements Observer {
private Object article;
// on invocation of update() method, the observer will update its own state.
@Override
public void update(Subject subject) {
article = subject.getUpdate();
}
public Object getArticle() {
return article;
}
}
Client code – Demo program
package com.rndayala.designpatterns.observable;
import java.util.List;
public class Demo {
public static void main(String[] args) {
Blog blog = new Blog();
User user1 = new User();
User user2 = new User();
List<Observer> list = null;
blog.registerObserver(user1);
blog.registerObserver(user2);
// change the state of subject by posting a new article
blog.postNewArticle("Observer pattern Explained!");
list = blog.getObserversList();
for(Observer observer : list) {
System.out.println("Get content : " + ((User)observer).getArticle());
}
// remove an observer
blog.unregisterObserver(user2);
blog.postNewArticle("Singleton pattern Explained!");
list = blog.getObserversList();
for(Observer observer : list) {
System.out.println("Get content : " + ((User)observer).getArticle());
}
}
}
Output :
Initializing subject(blog)..
registering an observer!
registering an observer!
Observer notified!!
Observer notified!!
Get content : Observer pattern Explained!
Get content : Observer pattern Explained!
un-registering an observer!
Observer notified!!
Get content : Singleton pattern Explained!
When the state of the subject changes, it calls the notifyObservers() method which in turn calls the update method on each of its observers, allowing them to react to the change in subject’s state.
Use cases
The Observer design pattern is typically used in situations where there is a one-to-many relationship between objects and when changes in one object need to be reflected in other objects.
Some common use cases of the Observer pattern are:
1. Implementing a model-view-controller architecture where changes in the model are notified to the views.
2. Implementing event-driven systems, such as user interfaces, where changes in one component trigger updates in other components.
3. Implementing a publish-subscribe system where events are published to multiple subscribers.
4. Implementing a logging system, where changes in the log data need to be notified to multiple log listeners.
5. Implementing a stock ticker system, where changes in the stock prices need to be notified to multiple subscribers.
In all these use cases, the Observer pattern allows the objects to be loosely coupled, so that changes in one object don’t affect the other objects directly. Instead, the changes are notified to the objects that need to be updated.
Observer Design Pattern implementation using Weather station scenario
Here’s a Java code example of the Observer design pattern using the weather station scenario:
When the weather station’s temperature changes, it notifies all its attached observers (TemperatureDisplay and Fan). The TemperatureDisplay then prints the updated temperature, while the Fan turns on or off based on the temperature threshold.
import java.util.ArrayList;
import java.util.List;
// Observer interface
interface Observer {
void update(int temperature);
}
// Subject
class WeatherStation {
private List<Observer> observers = new ArrayList<>();
private int temperature;
public void attachObserver(Observer observer) {
observers.add(observer);
}
public void detachObserver(Observer observer) {
observers.remove(observer);
}
public void setTemperature(int temperature) {
this.temperature = temperature;
notifyObservers();
}
// here, while notifying observer, we are sending the state also
private void notifyObservers() {
for (Observer observer : observers) {
observer.update(temperature);
}
}
}
// Concrete Observer
class TemperatureDisplay implements Observer {
@Override
public void update(int temperature) {
System.out.println("Temperature Display: " + temperature + " degrees Celsius");
}
}
// Concrete Observer
class Fan implements Observer {
@Override
public void update(int temperature) {
if (temperature > 25) {
System.out.println("Fan: Turning on the fan.");
} else {
System.out.println("Fan: Turning off the fan.");
}
}
}
// Usage
public class Main {
public static void main(String[] args) {
WeatherStation weatherStation = new WeatherStation();
TemperatureDisplay tempDisplay = new TemperatureDisplay();
Fan fan = new Fan();
weatherStation.attachObserver(tempDisplay);
weatherStation.attachObserver(fan);
weatherStation.setTemperature(20);
weatherStation.setTemperature(30);
}
}
Output :
Temperature Display: 20 degrees Celsius
Fan: Turning off the fan.
Temperature Display: 30 degrees Celsius
Fan: Turning on the fan.
This example demonstrates how the WeatherStation subject notifies its attached observers (TemperatureDisplay and Fan) about changes in the temperature, and each observer reacts accordingly.
Builder is a creational design pattern that lets you construct complex objects step by step. The pattern allows you to produce different types and representations of an object using the same construction code.
It decouples the construction process from the object representation, allowing for the step-by-step creation of objects with different configurations.
The need ?
Imagine a complex object that requires laborious, step-by-step initialization of many fields and nested objects. Such initialization code is usually buried inside a monstrous constructor with lots of parameters. Or even worse: scattered all over the client cod
In general, the details of object construction – the constructors, such as instantiating and initializing the components that make up the object, are kept within the object, often as part of its constructor. This type of design closely ties the object construction process with the components that make up the object. This approach is suitable as long as the object under construction is simple and the object construction process is definite and always produces the same representation of the object.
However, this design may not be effective when the object being created is complex and the series of steps constituting the object creation process can be implemented in different ways, thus producing different representations of the object.
If we try to keep all such instantiation steps within the object, the object can become bulky (construction bloat) and less modular. Subsequently, adding a new implementation or making changes to an existing implementation requires changes to the existing code.
The Idea / Intent
The Builder pattern suggests that you extract the object construction code out of its own class and move it to separate objects called builders.
The Builder pattern suggests moving the construction logic out of the object class to a separate class referred to as a builder class. There can be more than one such builder classes, each with different implementations for the series of steps to construct the object. Each builder implementation results in a different representation of the object.
The intent of the Builder Pattern is to separate the construction of a complex object from its representation, so that the same construction process can create different representations.
This type of separation reduces the object size.
Adding a new implementation (i.e., adding a new builder) becomes easier. The object construction process becomes independent of the components that make up the object. This provides more control over the object construction process.
Explanation
Builder doesn’t require products to have a common interface. That makes it possible to produce different products using the same construction process.
Builder pattern allows you to create different configurations of an object step by step, providing a more flexible and readable way to construct objects with many optional parameters.
The main components of the Builder Design Pattern are:
Director(optional) : The Director is responsible for directing the construction of the complex object using the Builder. It controls the order and sequence of the steps required to build the objectusing the Builder. It is not always necessary to have a Director.
Builder Interface / Abstract class : The Builder is an interface or an abstract class that declares the construction steps and methods for creating a complex object. It typically includes methods for setting various attributes and returning the final product.
Concrete Builder: Concrete Builders are implementations of the Builder interface that provide specific implementation details for constructing different parts of the complex object. Each Concrete Builder is responsible for building a particular variant of the object. It also, Provides an interface for retrieving the product.
Product: The Product is the complex object being constructed. It typically contains multiple attributes and configurations. It is the final object resulting from the Builder’s construction process.
The Builder pattern suggests using a dedicated object referred to as a Director, which is responsible for invoking different builder methods required for the construction of the final object.
–> Once the object is constructed, the client object can directly request from the builder the fully constructed object. To facilitate this process, a new method getObject() can be declared in the common Builder interface to be implemented by different concrete builders.
The Builder pattern can be applied when construction of various representations of the product involves similar steps that differ only in the details.
The same construction process can create different representations.
Examples
Usage examples: The Builder pattern is a well-known pattern in Java world. It’s especially useful when you need to create an object with lots of possible configuration options.
Identification: The Builder pattern can be recognized in a class, which has a single creation method and several methods to configure the resulting object. Builder methods often support chaining (for example, someBuilder.setValueA(1).setValueB(2).create()).
Implementation
CarType
package com.rndayala.designpatterns.builder;
// Enum that sepcifies the type of Car
public enum CarType {
CITY_CAR, SPORTS_CAR, SUV
}
Product feature 1 : Engine
package com.rndayala.designpatterns.builder;
/**
* Just another feature of a Car product.
*/
public class Engine {
private final double volume;
private double mileage;
private boolean started;
public Engine(double volume, double mileage) {
this.volume = volume;
this.mileage = mileage;
}
public void on() {
started = true;
}
public void off() {
started = false;
}
public boolean isStarted() {
return started;
}
public void go(double mileage) {
if (started) {
this.mileage += mileage;
} else {
System.err.println("Cannot go(), you must start engine first!");
}
}
public double getVolume() {
return volume;
}
public double getMileage() {
return mileage;
}
}
Product feature 2 : Transmission
/**
* Just another feature Car product that specifies the type of Transmission.
*/
public enum Transmission {
SINGLE_SPEED, MANUAL, AUTOMATIC, SEMI_AUTOMATIC
}
Product feature 3 : TripComputer
package com.rndayala.designpatterns.builder;
/**
* Just another feature of Car product.
*/
public class TripComputer {
private Car car;
public void setCar(Car car) {
this.car = car;
}
public void showFuelLevel() {
System.out.println("Fuel level: " + car.getFuel());
}
public void showStatus() {
if (this.car.getEngine().isStarted()) {
System.out.println("Car is started");
} else {
System.out.println("Car isn't started");
}
}
}
Product feature 4 : GPSNavigator
package com.rndayala.designpatterns.builder;
/**
* Just another feature of a car.
*/
public class GPSNavigator {
private String route;
public GPSNavigator() {
this.route = "221b, Baker Street, London to Scotland Yard, 8-10 Broadway, London";
}
public GPSNavigator(String manualRoute) {
this.route = manualRoute;
}
public String getRoute() {
return route;
}
}
Concrete Product : Car
package com.rndayala.designpatterns.builder;
/**
* Car is a product class.
* Product is made up of different components which vary in details for different Product class types.
*/
public class Car {
private final CarType carType;
private final int seats;
private final Engine engine;
private final Transmission transmission;
private final TripComputer tripComputer;
private final GPSNavigator gpsNavigator;
private double fuel = 0;
public Car(CarType carType, int seats, Engine engine, Transmission transmission,
TripComputer tripComputer, GPSNavigator gpsNavigator) {
this.carType = carType;
this.seats = seats;
this.engine = engine;
this.transmission = transmission;
this.tripComputer = tripComputer;
if (this.tripComputer != null) {
this.tripComputer.setCar(this);
}
this.gpsNavigator = gpsNavigator;
}
public CarType getCarType() {
return carType;
}
public double getFuel() {
return fuel;
}
public void setFuel(double fuel) {
this.fuel = fuel;
}
public int getSeats() {
return seats;
}
public Engine getEngine() {
return engine;
}
public Transmission getTransmission() {
return transmission;
}
public TripComputer getTripComputer() {
return tripComputer;
}
public GPSNavigator getGpsNavigator() {
return gpsNavigator;
}
}
Concrete Product : Manual
package com.rndayala.designpatterns.builder;
/**
* Car manual is another product. Note that it does not have the same ancestor
* as a Car. They are not related.
*
* Builder doesn’t require products to have a common interface.
* That makes it possible to produce different products using the same construction process.
*/
public class Manual {
private final CarType carType;
private final int seats;
private final Engine engine;
private final Transmission transmission;
private final TripComputer tripComputer;
private final GPSNavigator gpsNavigator;
public Manual(CarType carType, int seats, Engine engine, Transmission transmission,
TripComputer tripComputer, GPSNavigator gpsNavigator) {
this.carType = carType;
this.seats = seats;
this.engine = engine;
this.transmission = transmission;
this.tripComputer = tripComputer;
this.gpsNavigator = gpsNavigator;
}
public String print() {
String info = "";
info += "Type of car: " + carType + "\n";
info += "Count of seats: " + seats + "\n";
info += "Engine: volume - " + engine.getVolume() + "; mileage - " + engine.getMileage() + "\n";
info += "Transmission: " + transmission + "\n";
if (this.tripComputer != null) {
info += "Trip Computer: Functional" + "\n";
} else {
info += "Trip Computer: N/A" + "\n";
}
if (this.gpsNavigator != null) {
info += "GPS Navigator: Functional" + "\n";
} else {
info += "GPS Navigator: N/A" + "\n";
}
return info;
}
}
Builder Interface
package com.rndayala.designpatterns.builder;
/**
* Builder interface defines all possible ways to configure a product.
* The interface declares all the methods to construct the complex object.
*/
public interface Builder {
void setCarType(CarType type);
void setSeats(int seats);
void setEngine(Engine engine);
void setTransmission(Transmission transmission);
void setTripComputer(TripComputer tripComputer);
void setGPSNavigator(GPSNavigator gpsNavigator);
}
Concrete Builder class : CarBuilder
package com.rndayala.designpatterns.builder;
/**
* Concrete builders implements all steps defined in the common interface.
* It provides specific implementations for constructing different parts of the complex object.
*/
public class CarBuilder implements Builder {
private CarType type;
private int seats;
private Engine engine;
private Transmission transmission;
private TripComputer tripComputer;
private GPSNavigator gpsNavigator;
public void setCarType(CarType type) {
this.type = type;
}
@Override
public void setSeats(int seats) {
this.seats = seats;
}
@Override
public void setEngine(Engine engine) {
this.engine = engine;
}
@Override
public void setTransmission(Transmission transmission) {
this.transmission = transmission;
}
@Override
public void setTripComputer(TripComputer tripComputer) {
this.tripComputer = tripComputer;
}
@Override
public void setGPSNavigator(GPSNavigator gpsNavigator) {
this.gpsNavigator = gpsNavigator;
}
// Concrete Builder - provides a method for retrieving the final product.
public Car getResult() {
return new Car(type, seats, engine, transmission, tripComputer, gpsNavigator);
}
}
Concrete Builder class : CarManualBuilder
package com.rndayala.designpatterns.builder;
/**
* Unlike other Creational patterns, Builder can construct unrelated products,
* which don't have the common interface.
*
* In this case we build a user manual for a car, using the same steps as we
* built a car. This allows to produce manuals for specific car models,
* configured with different features.
*/
public class CarManualBuilder implements Builder{
private CarType type;
private int seats;
private Engine engine;
private Transmission transmission;
private TripComputer tripComputer;
private GPSNavigator gpsNavigator;
@Override
public void setCarType(CarType type) {
this.type = type;
}
@Override
public void setSeats(int seats) {
this.seats = seats;
}
@Override
public void setEngine(Engine engine) {
this.engine = engine;
}
@Override
public void setTransmission(Transmission transmission) {
this.transmission = transmission;
}
@Override
public void setTripComputer(TripComputer tripComputer) {
this.tripComputer = tripComputer;
}
@Override
public void setGPSNavigator(GPSNavigator gpsNavigator) {
this.gpsNavigator = gpsNavigator;
}
public Manual getResult() {
return new Manual(type, seats, engine, transmission, tripComputer, gpsNavigator);
}
}
Here, we have two unrelated product classes and their builder classes. The builders of these products follow the same construction steps.
Director
The Director class uses the builder object and specifies the ordering or sequence of steps to construct the object.
package com.rndayala.designpatterns.builder;
/**
* This Director approach is used when we want to build different unrelated products.
* However, those products use the same object construction steps.
* If you observe, the construction methods are not returning any object.
* Director only specifies the sequence of steps, but does not know what product is being built.
*
* Director defines the sequence/order of building steps. It works with a builder object
* through common Builder interface. Therefore it may not know what product is
* being built.
*/
public class Director {
public void constructSportsCar(Builder builder) {
// specifies the sequence or order of the steps
builder.setCarType(CarType.SPORTS_CAR);
builder.setSeats(2);
builder.setEngine(new Engine(3.0, 0));
builder.setTransmission(Transmission.AUTOMATIC);
builder.setTripComputer(new TripComputer());
builder.setGPSNavigator(new GPSNavigator());
}
public void constructCityCar(Builder builder) {
// specifies the sequence or order of the steps
builder.setCarType(CarType.CITY_CAR);
builder.setSeats(2);
builder.setEngine(new Engine(1.2, 0));
builder.setTransmission(Transmission.SEMI_AUTOMATIC);
builder.setTripComputer(new TripComputer());
builder.setGPSNavigator(new GPSNavigator());
}
public void constructSUV(Builder builder) {
// specifies the sequence or order of the steps
builder.setCarType(CarType.SUV);
builder.setSeats(4);
builder.setEngine(new Engine(2.5, 0));
builder.setTransmission(Transmission.MANUAL);
builder.setTripComputer(new TripComputer());
builder.setGPSNavigator(new GPSNavigator());
}
}
Demo / Client code
package com.rndayala.designpatterns.builder;
/**
* Demo class. Everything comes together here.
*/
public class Demo {
public static void main(String[] args) {
Director director = new Director();
// Director gets the concrete builder object from the client
// (application code). That's because application knows better which
// builder to use to get a specific product.
CarBuilder builder = new CarBuilder();
director.constructSportsCar(builder);
// The final product is often retrieved from a builder object, since
// Director is not aware and not dependent on concrete builders and
// products.
Car car = builder.getResult();
System.out.println("Car built:\n" + car.getCarType());
CarManualBuilder manualBuilder = new CarManualBuilder();
// Director may know several building recipes.
director.constructSportsCar(manualBuilder);
Manual carManual = manualBuilder.getResult();
System.out.println("\nCar manual built:\n" + carManual.print());
}
}
Builder Design Pattern implementation using Inner class
The Builder pattern is a creational design pattern that is used to construct complex objects step by step. It separates the construction of the object from its representation, allowing you to create different variations of the same object with a consistent construction process.
When using the Builder pattern with an inner class in Java, the inner class is responsible for building the complex object and accessing the private fields of the outer class. This way, the inner class can set the values of the attributes of the outer class.
Let’s create an example of a complex object called Person using the Builder pattern with an inner class:
// in this builder design pattern implementation, we are using Builder as inner class.
// the inner class has access to private instance variable of the outer class.
public class Person {
private final String firstName; // mandatory attribute
private final String lastName; // mandatory attribute
private final int age; // optional
private final String address; // optional
private Person(Builder builder) {
this.firstName = builder.firstName;
this.lastName = builder.lastName;
this.age = builder.age;
this.address = builder.address;
}
// Getter methods (could be omitted for brevity)
public static class Builder {
private final String firstName;
private final String lastName;
private int age;
private String address;
// we set the mandatory attributes using the constructor
public Builder(String firstName, String lastName) {
this.firstName = firstName;
this.lastName = lastName;
}
// optional attributes are set using the builder methods
public Builder age(int age) {
this.age = age;
return this;
}
public Builder address(String address) {
this.address = address;
return this;
}
// The build() method in the Builder class constructs the Person object
// using the private constructor of the outer class.
public Person build() {
return new Person(this);
}
}
}
// Usage
public class Main {
public static void main(String[] args) {
Person person1 = new Person.Builder("John", "Doe")
.age(30)
.address("123 Main Street")
.build();
Person person2 = new Person.Builder("Jane", "Smith")
.age(25)
.build();
System.out.println(person1); // Person [firstName=John, lastName=Doe, age=30, address=123 Main Street]
System.out.println(person2); // Person [firstName=Jane, lastName=Smith, age=25, address=null]
}
}
In this example, the Person class is the complex object we want to construct. It has private fields firstName, lastName, age, and address, and a private constructor that takes a Builder object to set its attributes.
The inner class Builder provides methods to set the optional attributes of the Person object (age and address). The build() method in the Builder class constructs the Person object using the private constructor of the outer class.
By using the Builder pattern with an inner class, we can create a Person object with a clear and expressive API, specifying only the attributes we need, and leaving out the optional ones.
Use cases
Use the Builder pattern when you want your code to be able to create different representations of some product.
The Builder pattern can be applied when construction of various representations of the product involves similar steps that differ only in the details.
same construction steps, but differ in details
The base builder interface defines all possible construction steps, and concrete builders implement these steps to construct particular representations of the product. Meanwhile, the director class guides the order of construction.
Use the Builder pattern when :
The algorithm for creating a complex object should be independent of the parts that make up the object and how they’re assembled.
The construction process must allow different representations for the object that’s constructed.
Here’s a simplified example to illustrate the components of the Builder Design Pattern:
// Product
class Car {
private String brand;
private String model;
private String color;
private int year;
// Other attributes...
public Car(String brand, String model, String color, int year) {
this.brand = brand;
this.model = model;
this.color = color;
this.year = year;
// Other attribute assignments...
}
// Getters and other methods...
}
// Builder Interface
interface CarBuilder {
CarBuilder setBrand(String brand);
CarBuilder setModel(String model);
CarBuilder setColor(String color);
CarBuilder setYear(int year);
Car build();
}
// Concrete Builder
class ConcreteCarBuilder implements CarBuilder {
private String brand;
private String model;
private String color;
private int year;
public CarBuilder setBrand(String brand) {
this.brand = brand;
return this;
}
public CarBuilder setModel(String model) {
this.model = model;
return this;
}
public CarBuilder setColor(String color) {
this.color = color;
return this;
}
public CarBuilder setYear(int year) {
this.year = year;
return this;
}
public Car build() {
return new Car(brand, model, color, year);
}
}
// Director
class CarDirector {
public Car buildCar(CarBuilder builder) {
return builder.setBrand("Toyota")
.setModel("Corolla")
.setColor("Silver")
.setYear(2023)
.build();
}
}
// Client code
public class Main {
public static void main(String[] args) {
CarBuilder carBuilder = new ConcreteCarBuilder();
CarDirector director = new CarDirector();
Car car = director.buildCar(carBuilder);
System.out.println(car);
}
}
In this example, the Car class represents the Product, the CarBuilder is the Builder interface, the ConcreteCarBuilder is the Concrete Builder, and the CarDirector is the Director. The Client code interacts with the Director to build the complex object using the Builder. The Builder pattern allows you to add new Concrete Builders for different types of products without modifying the Client code or the Director. This flexibility makes it easier to manage and create complex objects with many optional attributes.
An abstract factory is a factory that returns factories. Why is this layer of abstraction useful? A normal factory can be used to create sets of related objects. An abstract factory returns factories. Thus, an abstract factory is used to return factories that can be used to create sets of related objects.
Abstract Factory is a creational design pattern, which solves the problem of creating entire product families without specifying their concrete classes.
** Abstract Factory defines an interface for creating all distinct products but leaves the actual product creation to concrete factory classes. Each factory type corresponds to a certain product variety.
In Abstract Factory pattern, we get rid of if-else block and have a concrete factory class for each sub-class and then an Abstract Factory class that will return the sub-class based on the input factory class.
The client code calls the creation methods of a factory object instead of creating products directly with a constructor call (new operator). Since a factory corresponds to a single product variant, all its products will be compatible.
Explanation – Understanding the pattern
This example illustrates how the Abstract Factory pattern can be used for creating cross-platform UI elements without coupling the client code to concrete UI classes, while keeping all created elements consistent with a selected operating system.
The same UI elements in a cross-platform application are expected to behave similarly, but look a little bit different under different operating systems. Moreover, it’s your job to make sure that the UI elements match the style of the current operating system. You wouldn’t want your program to render macOS controls when it’s executed in Windows.
It works like this: when an application launches, it checks the type of the current operating system. The app uses this information to create a factory object from a class that matches the operating system. The rest of the code uses this factory to create UI elements. This prevents the wrong elements from being created.
The Abstract Factory interface declares a set of creation methods that the client code can use to produce different types of UI elements. Concrete factories correspond to specific operating systems and create the UI elements that match that particular OS.
Benefits
Abstract Factory pattern provides approach to code for interface rather than implementation.
Abstract Factory pattern is “factory of factories” and can be easily extended to accommodate more products, for example we can easily add Material theme product family.
Abstract Factory pattern is robust and avoid conditional logic of Factory pattern.
When to use: A family of related product objects is designed to be used together, and you need to enforce this constraint.
Examples
Usage examples: The Abstract Factory pattern is pretty common in Java code. Many frameworks and libraries use it to provide a way to extend and customize their standard components.
Identification: The pattern is easy to recognize by methods, which return a factory object. Then, the factory is used for creating specific sub-components.
Implementation
In our example, we create families of cross-platform GUI components and their production. The components, buttons and checkboxes will act as products. They have two variants: macOS and Windows.
The abstract factory defines an interface for creating buttons and checkboxes. There are two concrete factories, which return both products in a single variant.
Client code works with factories and products using abstract interfaces. It makes the same client code working with many product variants, depending on the type of factory object.
buttons: First product hierarchy
Button.java
package com.rndayala.designpatterns.abstractfactory;
/**
* Abstract Factory assumes that you have several families of products,
* structured into separate class hierarchies (Button/Checkbox). All products of
* the same family have the common interface.
*
* This is the common interface for buttons family.
*/
public interface Button {
void render();
}
MacOSButton.java
package com.rndayala.designpatterns.abstractfactory;
/**
* All products families have the same varieties (MacOS/Windows).
*
* This is a MacOS variant of a button.
*/
public class MacOSButton implements Button {
@Override
public void render() {
System.out.println("You have created MacOSButton.");
}
}
WindowsButton.java
package com.rndayala.designpatterns.abstractfactory;
/**
* All products families have the same varieties (MacOS/Windows).
*
* This is another variant of a button.
*/
public class WindowsButton implements Button {
@Override
public void render() {
System.out.println("You have created WindowsButton.");
}
}
checkboxes: Second product hierarchy
Checkbox.java
package com.rndayala.designpatterns.abstractfactory;
/**
* Checkboxes is the second product family. It has the same variants as buttons.
*/
public interface Checkbox {
void render();
}
MacOSCheckbox.java
package com.rndayala.designpatterns.abstractfactory;
/**
* All products families have the same varieties (MacOS/Windows).
*
* This is a variant of a checkbox.
*/
public class MacOSCheckbox implements Checkbox {
@Override
public void render() {
System.out.println("You have created MacOSCheckbox.");
}
}
WindowsCheckbox.java
package com.rndayala.designpatterns.abstractfactory;
/**
* All products families have the same varieties (MacOS/Windows).
*
* This is another variant of a checkbox.
*/
public class WindowsCheckbox implements Checkbox {
@Override
public void render() {
System.out.println("You have created WindowsCheckbox.");
}
}
Abstract factory : GUIFactory.java
package com.rndayala.designpatterns.abstractfactory;
/**
* Abstract factory knows about all (abstract) product types.
* It declares a set of creation methods for product types.
*/
public interface GUIFactory {
Button createButton();
Checkbox createCheckbox();
}
MacOSFactory.java: Concrete factory (macOS)
package com.rndayala.designpatterns.abstractfactory;
/**
* Each concrete factory extends basic factory and responsible for creating
* products of a single variety.
*/
public class MacOSFactory implements GUIFactory {
@Override
public Button createButton() {
return new MacOSButton();
}
@Override
public Checkbox createCheckbox() {
return new MacOSCheckbox();
}
}
WindowsFactory.java: Concrete factory (Windows)
package com.rndayala.designpatterns.abstractfactory;
/**
* Each concrete factory extends basic factory and responsible for creating
* products of a single variety.
*/
public class WindowsFactory implements GUIFactory {
@Override
public Button createButton() {
return new WindowsButton();
}
@Override
public Checkbox createCheckbox() {
return new WindowsCheckbox();
}
}
Client code : Application.java
package com.rndayala.designpatterns.abstractfactory;
/**
* Factory users don't care which concrete factory they use since they work with
* factories and products through abstract interfaces.
*/
public class Application {
private Button button;
private Checkbox checkbox;
public Application(GUIFactory factory) {
button = factory.createButton();
checkbox = factory.createCheckbox();
}
public void render() {
button.render();
checkbox.render();
}
}
App configuration : Demo.java
package com.rndayala.designpatterns.abstractfactory;
/**
* Demo class. Everything comes together here.
*/
public class Demo {
/**
* Application picks the factory type and creates it in run time (usually at
* initialization stage), depending on the configuration or environment
* variables.
*/
private static Application configureApplication() {
Application app;
GUIFactory factory;
String osName = System.getProperty("os.name").toLowerCase();
if (osName.contains("mac")) {
factory = new MacOSFactory();
} else {
factory = new WindowsFactory();
}
app = new Application(factory);
return app;
}
public static void main(String[] args) {
Application app = configureApplication();
app.render();
}
}
Use the Abstract Factory when your code needs to work with various families of related products, but you don’t want it to depend on the concrete classes of those products—they might be unknown beforehand or you simply want to allow for future extensibility.
The Abstract Factory provides you with an interface for creating objects from each class of the product family. As long as your code creates objects via this interface, you don’t have to worry about creating the wrong variant of a product which doesn’t match the products already created by your app.
Factory design pattern is used when we have a super class with multiple sub-classes and based on input, we need to return one of the sub-classes.
This pattern takes out the responsibility of instantiation of a class from client program to the factory class. We can apply Singleton pattern on Factory class or make the factory method static.
Super class in factory pattern can be an interface or a normal java class.
Explanation
The Factory design pattern is a way of creating objects in an object-oriented programming language.
Imagine you have a car factory. The factory makes cars. When you order a car, you specify the type of car you want (e.g. sedan, SUV, sports car, etc.). The factory then builds the car for you and delivers it to you.
Similarly, in the Factory design pattern, you have a factory class that creates objects of different types. When you ask the factory to create an object, you specify the type of object you want. The factory then creates the object for you and returns it to you.
This allows you to separate the process of creating objects from the rest of your code, making it easier to change the way objects are created if needed.
Think of the factory as a kind of “object-making machine.” Instead of writing code to create objects, you tell the factory what you want, and it creates the objects for you. This makes your code easier to read and maintain, and makes it easier to change how objects are created if needed.
The Factory design pattern is often used in situations where client code cannot anticipate the type of objects it needs to create.
The Factory design pattern provides several benefits:
• Abstraction: It separates the implementation details of object creation from the client code, allowing the client code to focus on the task at hand and not the details of object creation.
• Flexibility: The Factory design pattern allows you to add new types of objects to your application without having to modify the client code. This makes it easier to maintain and extend your application.
• Reusability: By encapsulating the details of object creation in a factory class, you can reuse the factory in multiple parts of your application, making your code more modular and easier to maintain. Overall, the Factory
Benefits
Factory pattern provides approach to code for interface rather than implementation.
Factory pattern removes the instantiation of actual implementation classes from client code, making it more robust, less coupled and easy to extend.
Factory pattern provides abstraction between implementation and client classes through inheritance.
valueOf () method in wrapper classes like Boolean, Integer etc.
the Calendarclass utilizes the Factory Method getInstance() to create instances of the Calendar class based on the user’s default locale and timezone. The getInstance() method is static, and it internally determines which specific implementation of Calendar to return based on the locale and timezone settings.
// Get an instance of the default Gregorian calendar
Calendar gregorianCalendar = Calendar.getInstance();
System.out.println("Default Calendar: " + gregorianCalendar.getClass().getName());
// Get an instance of a different calendar system (e.g., Buddhist)
Calendar buddhistCalendar = Calendar.getInstance(java.util.Locale.forLanguageTag("th-TH"));
System.out.println("Buddhist Calendar: " + buddhistCalendar.getClass().getName());
Implementation
It allows the client code to create objects by delegating the responsibility of object instantiation to a factory class.
package com.rndayala.designpatterns.factory;
// interface that defines common functionality to be
// implemented by all related types
public interface Shape {
void draw();
}
// Concrete class that implements the functionality provided by interface
public class Circle implements Shape {
@Override
public void draw() {
System.out.println("Inside Circle::draw() method.");
}
}
// Concrete Product classes implementing the Shape interface
public class Rectangle implements Shape {
@Override
public void draw() {
System.out.println("Inside Rectangle::draw() method.");
}
}
// Concrete Product classes implementing the Shape interface
public class Square implements Shape {
@Override
public void draw() {
System.out.println("Inside Square::draw() method.");
}
}
Then you define a Factory class that does the instantiation of object based on the type.
package com.rndayala.designpatterns.factory;
// Simple Factory class responsible for creating Shape objects
public class FactoryClass {
// static Factory method which instantiates the object and returns to client
public static Shape getShape(String shapeType) {
if (shapeType == null) {
return null;
}
if (shapeType.equalsIgnoreCase("CIRCLE")) {
return new Circle();
} else if (shapeType.equalsIgnoreCase("RECTANGLE")) {
return new Rectangle();
} else if (shapeType.equalsIgnoreCase("SQUARE")) {
return new Square();
} else if (shapeType.equalsIgnoreCase("TRIANGLE")) {
// TODO : Add Triangle class which implements Shape interface
}
return null;
}
}
Client code that uses the Factory class :
package com.rndayala.designpatterns.factory;
public class FactoryTest {
public static void main(String[] args) {
// create objects of the Shape interface by calling the getShape method
// and passing the appropriate String argument.
// Type of object to create is determined at runtime by user.
// NOTE - We code against interface. Higher level modules doesn't depend on lower level classes.
Shape shape = FactoryClass.getShape("Circle");
shape.draw();
shape = FactoryClass.getShape("Square");
shape.draw();
shape = FactoryClass.getShape("Rectangle");
shape.draw();
}
}
Implementations of the Factory Design Pattern in Java provide a way to encapsulate object creation, allowing the client code to focus on using the objects rather than being concerned with how they are created.
Simple Factory Method
In the simple factory method, a separate factory class is responsible for creating instances of various concrete classes that share a common superclass or interface.
// Interface for the Product objects
interface Product {
void doSomething();
}
// Concrete Product classes implementing the Product interface
class ConcreteProductA implements Product {
public void doSomething() {
System.out.println("Doing something in ConcreteProductA.");
}
}
class ConcreteProductB implements Product {
public void doSomething() {
System.out.println("Doing something in ConcreteProductB.");
}
}
// Simple Factory class responsible for creating Product objects
class ProductFactory {
// static factory method
public static Product createProduct(String type) {
switch (type) {
case "A":
return new ConcreteProductA();
case "B":
return new ConcreteProductB();
default:
throw new IllegalArgumentException("Invalid product type: " + type);
}
}
}
// Client code
public class Main {
public static void main(String[] args) {
Product productA = ProductFactory.createProduct("A");
productA.doSomething(); // Output: Doing something in ConcreteProductA.
Product productB = ProductFactory.createProduct("B");
productB.doSomething(); // Output: Doing something in ConcreteProductB.
}
}
Implementations of the Factory Design Pattern in Java provide a way to encapsulate object creation, allowing the client code to focus on using the objects rather than being concerned with how they are created.
Use cases
Some common use cases of the Factory Pattern include:
When a class cannot anticipate the type of objects it needs to create
When a class wants its subclasses to specify the objects it creates
When classes delegate responsibility to one of several helper subclasses, and you want to localize the knowledge of which helper subclass is the delegate.
Examples of situations where the Factory Pattern can be used include:
when creating objects for UI elements, such as buttons or panels, based on user input or configuration data
when implementing a plugin architecture where objects of different types can be created based on user-selected options
when managing the creation of objects that are part of a larger system, such as creating database connections based on configuration data.
Sometimes it’s important for some classes to have exactly one instance. There are many objects we only need one instance of them and if we, instantiate more than one, we’ll run into all sorts of problems like incorrect program behavior, overuse of resources, or inconsistent results.
There are only two points in the definition of a singleton design pattern,
There should be only one instance allowed for a class and
We should allow global point of access to that single instance.
From the definition, it seems to be a very simple design pattern but when it comes to implementation, it comes with a lot of implementation concerns.
Explanation of the pattern
With the Singleton pattern, you define a private constructor in the class, which ensures that no one can create a new instance of the class from outside. You also define a public method called “getInstance” that returns the single instance of the class.
The first time the method is called, it creates a new instance of the class. Any subsequent calls to the method return the same instance that was created the first time. In this way, you ensure that there is only one instance of the class.
The Singleton pattern can be implemented in various ways, but it is essential to ensure that only one instance of the class is created, and that it is accessible from anywhere in the code. To achieve this, it is common to use lazy initialization, where the instance is created only when it is first needed.
In summary, the Singleton pattern can be useful for creating shared resources in a system where it is important to maintain a single instance and ensure that it is accessible from anywhere in the code. It can also be used to control the instantiation of a class, ensuring that it is only created once, and to provide a single point of access to the instance.
Why Lazy Initialization
Lazy initialization will be beneficial when we want to delay the initialization until it is not needed, because if we use eager initialization and if initialization fails there is no chance to get the instance further. While in lazy initialization we may get it in second chance. In Lazy initialization we will not get instance until we call getInstance () method while in eager initialization it creates instance at the time of class loading.
How to implement Singleton pattern
package com.rndayala.designpatterns.singleton;
// Author : Raghunath Dayala
/* Singleton is a design pattern that restricts a class to have ONLY one instance,
* with a global point of access to it.
* Useful when you want to limit the number of instances of a class that can exist in the system.
* This can be useful in situations where you want to maintain a single instance of a class
* to represent a shared resource, such as a logging service, database connection or a configuration manager.
* Ref : Check my Kindle library
*/
public class Singleton {
// private static variable
private static Singleton instance = null;
// a private constructor that ensures that it cannot be instantiated directly from outside the class.
private Singleton() {
System.out.println("Creating Singleton class object..");
}
// public static method called getInstance is provided,
// which returns the single instance of the class.
// The first time the getInstance is invoked, it creates and returns the object.
// Any subsequent calls returns the same instance created the first time.
public static Singleton getInstance() {
if (instance == null) {
instance = new Singleton();
}
return instance;
}
}
/* Problems :
* 1. the above implementation is not thread safe.
* 2. We can still be able to create new objects using Reflection.
* 3. We can be able to create new objects using Cloning.
* 4. When we do serialization/de-serialization, we get new objects.
*/
In above example, the Singleton class has a private constructor that ensures that it cannot be instantiated directly. Instead, a public static method called getInstance is provided, which returns the single instance of the class.
The first time the getInstance method is called, it creates a new instance of the Singleton class by calling the private constructor. Subsequent calls to getInstance return the same instance that was created the first time.
Multi-threaded Singleton implementation
Singleton will work properly in multithreaded environment only if eager instantiation has been done because in this case instance creation will happen at the time of class loading only. But for Lazy instantiation we will have to take care of multiple things. If we want to delay the instantiation because of cost, we use to go with lazy.
Simple Implementation :
package com.rndayala.designpatterns.singleton;
/**
* Singleton in multi-threaded environments.
* the behavior of Singleton instance when two threads are
* getting executed by comparing their hash code values.
*
* The following code works only in Java 8.
* @author rndayala
*/
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
public class SingletonT {
private static SingletonT instance = null; // lazy initialization
private SingletonT() {
System.out.println("Creating..");
}
// When you run the above program many times you will notice that in multithreaded environment,
// sometimes Singleton principle works, but sometimes it violates.
public static SingletonT getInstance() {
if (instance == null) {
instance = new SingletonT();
}
return instance;
}
static void useSingleton() {
SingletonT singleton = SingletonT.getInstance();
print("Singleton", singleton);
}
static void print(String name, SingletonT obj) {
System.out.println(String.format("Object : %s, hashcode : %d", name, obj.hashCode()));
}
public static void main(String[] args) {
ExecutorService service = Executors.newFixedThreadPool(2);
service.submit(SingletonT::useSingleton); // Object : Singleton, hashcode : 918401706
service.submit(SingletonT::useSingleton); // Object : Singleton, hashcode : 918401706
service.shutdown();
}
}
/* observations :
* When you run the above program many times you will notice that in multithreaded environment,
* sometimes Singleton principle works but sometimes it violates.
* Fix : After applying synchronized keyword in the getInstance () method, the program will execute
* properly without any issue but in Java.
*/
When you run the above program many times you will notice that in multithreaded environment, sometimes Singleton principle works, but sometimes it violates. Therefore we need to synchronize the getInstance () method as shown below :
// When you run the above program many times you will notice that in multithreaded environment,
// sometimes Singleton principle works, but sometimes it violates.
// Fix : add synchronized keyword to the getInstance() method
public static synchronized SingletonT getInstance() {
if (instance == null) {
instance = new SingletonT();
}
return instance;
}
After applying synchronized keyword in the getInstance () method the program will execute properly without any issue.
Double Checked Locking
Instead of synchronizing whole method we can synchronize only the block of code which is affected while creating instance to escape the extra overhead as below :
// Don't synchronize getInstance() method completely.
// Synchronize only the block of code which is affected while creating instance.
public static SingletonT getInstance() {
if (instance == null) {
synchronized (SingletonT.class) {
instance = new SingletonT();
}
}
return instance;
}
From the above code we have narrowed down the scope of synchronization for performance reasons. But the above code can cause issues due to thread switching.
So to make sure no other thread has already acquired the lock we will apply one more check after acquiring the lock as shown below. This method is called Double Checked Locking.
// Don't synchronize getInstance() method completely.
// Synchronize only the block of code which is affected while creating instance.
public static SingletonT getInstance() {
if (instance == null) {
synchronized (SingletonT.class) {
// double checked locking
if (instance == null) {
instance = new SingletonT();
}
}
}
return instance;
}
Sometimes double checked locking also breaks the Principle of Singleton. It may return an instance in half-initialized state.
To address this situation use volatile keyword at the time of instance declaration. Value of volatile variable will be published only when the change completes. Change to write operation happens before read operation in volatile variable. In short all threads will see the same value of variable.
Reflection – Singleton implementation violation ? How to Fix ?
In Java, you can violate the Singleton pattern’s intended behavior using reflection.
Reflection allows you to access and modify the private constructors and fields of a class, which can lead to the creation of multiple instances of the Singleton class, thus violating the pattern.
Here’s an example of how the Singleton pattern can be violated using reflection in Java:
import java.lang.reflect.Constructor;
public class Singleton {
private static Singleton instance;
private Singleton() {
// Private constructor
}
public static Singleton getInstance() {
if (instance == null) {
instance = new Singleton();
}
return instance;
}
// Other methods and fields...
}
public class Main {
public static void main(String[] args) {
Singleton singleton1 = Singleton.getInstance();
Singleton singleton2 = null;
try {
// Using reflection to access the private constructor
Constructor<Singleton> constructor
= Singleton.class.getDeclaredConstructor();
constructor.setAccessible(true);
singleton2 = constructor.newInstance();
} catch (Exception e) {
e.printStackTrace();
}
System.out.println(singleton1); // Output: Singleton@hashcode1
System.out.println(singleton2); // Output: Singleton@hashcode2
}
}
In the example above, we try to access the private constructor of the Singleton class using reflection and create a new instance. As a result, singleton2 is not the same instance as singleton1, and we have violated the Singleton pattern’s intent.
To protect against this kind of reflection-based Singleton pattern violation, you can modify the Singleton class to throw an exception if someone tries to create a new instance using reflection:
public class Singleton {
private static Singleton instance;
private Singleton() {
if (instance != null) {
throw new RuntimeException("Use getInstance() method to get the single instance.");
}
}
public static Singleton getInstance() {
if (instance == null) {
instance = new Singleton();
}
return instance;
}
// Other methods and fields...
}
By adding the check inside the private constructor, any attempt to create a new instance through reflection will result in an exception, preserving the Singleton pattern’s integrity. However, it’s essential to be cautious when using reflection and design patterns together, as it can lead to unexpected behavior and undermine the patterns’ intended benefits.
Clone – Singleton implementation violation ? How to Fix ?
If we try to make instance by cloning it, the generated hash code of cloned copy doesn’t match with the actual object so it also violates the Singleton principle of having a single instance.
Here’s an example to illustrate the issue:
public class Singleton implements Cloneable {
private static Singleton instance;
private Singleton() {
// Private constructor
}
public static Singleton getInstance() {
if (instance == null) {
instance = new Singleton();
}
return instance;
}
@Override
protected Object clone() throws CloneNotSupportedException {
return super.clone();
}
// Other methods and fields...
}
public class Main {
public static void main(String[] args) {
Singleton singleton1 = Singleton.getInstance();
Singleton singleton2 = null;
try {
// Cloning the singleton object
singleton2 = (Singleton) singleton1.clone();
} catch (CloneNotSupportedException e) {
e.printStackTrace();
}
System.out.println(singleton1); // Obj: singleton1, hashcode: 366712642
System.out.println(singleton2); // Obj: clone, hashcode: 1442407170
}
}
In this example, we implement the Cloneableinterface in the Singleton class, and we override the clone() method to call the super.clone() method. The generated hash code of cloned copy doesn’t match with the actual object so it also violates the Singleton principle.
To address this issue, you may consider throwing an exception in the clone() method to prevent cloning altogether:
public class Singleton implements Cloneable {
// Singleton implementation...
@Override
protected Object clone() throws CloneNotSupportedException {
throw new CloneNotSupportedException("Cloning of Singleton objects is not allowed.");
}
// Other methods and fields...
}
By throwing a CloneNotSupportedException, you explicitly prohibit cloning of the Singleton objects and maintain the integrity of the Singleton pattern. However, it’s important to note that the use of Cloneable and clone() method can be controversial in Java, and it is generally recommended to avoid using them in favor of other approaches like copy constructors or factory methods for object duplication.
How to fix: Throw CloneNotSupportedException from the clone () method if someone tries to make other instance of it.
Bill Pugh method – Singleton Implementation
The Bill Pugh Singleton pattern, also known as the Initialization-on-demand Holder Idiom, is an improvement over the traditional Singleton pattern.
It provides a simpler and more thread-safe way to implement a Singleton in Java without the need for explicit synchronization. This pattern takes advantage of the Java class-loading mechanism to ensure that the Singleton instance is created lazily and safely when the class is loaded.
We use inner static class approach in this implementation. The inner static class encapsulates the Singleton instance, and its instantiation logic is taken care of by the JVM, reducing the need for explicit synchronization or volatile variables.
Bill Pugh implementation – thread safe, no need of explicit synchronization or volatile variable. The inner static class shields the Singleton instance from being created through reflection, as the constructor remains private.
Here’s the implementation of the Bill Pugh Singleton pattern:
public class Singleton {
// Private constructor to prevent instantiation from other classes
private Singleton() {
// Initialization code (if any) goes here
}
// Inner static helper class responsible for holding the Singleton instance
private static class SingletonHolder {
// The Singleton instance is created when the class is loaded
private static final Singleton INSTANCE = new Singleton();
}
// Public static method to get the Singleton instance
public static Singleton getInstance() {
return SingletonHolder.INSTANCE;
}
// Other methods and fields...
}
In this implementation, the Singleton class has a private constructor to prevent direct instantiation. The Singleton instance is stored as a static field within a nested static class called SingletonHolder. The INSTANCE field is initialized during the class-loading phase, which is guaranteed to be thread-safe by the Java Virtual Machine.
When getInstance() is called, it returns the Singleton instance held by the SingletonHolder, ensuring that only one instance is created throughout the application’s lifecycle.
Here’s how you can use the Bill Pugh Singleton pattern:
public class Main {
public static void main(String[] args) {
// Get the Singleton instance
Singleton singleton1 = Singleton.getInstance();
Singleton singleton2 = Singleton.getInstance();
// Both instances are the same
System.out.println(singleton1 == singleton2); // Output: true
}
}
This approach provides better performance and avoids unnecessary synchronization overhead because the Singleton is initialized lazily and only when needed.
Nowadays, this Bill Pugh method is widely used and considered a best practice for creating Singleton instances.
enum implementation of Singleton pattern
In Java, you can implement the Singleton pattern using an enum.
Enums in Java are implicitly singleton by design, as they only allow a fixed set of predefined instances, and there can be no more than one instance of each enum constant. This property makes enums a natural fit for implementing a singleton.
Joshua Bloch suggests the use of Enum to implement Singleton design pattern as Java ensures that any enum value is instantiated only once in a Java program. Since Java Enum values are globally accessible, so is the singleton.
The drawback is that the enum type is somewhat inflexible; for example, it does not allow lazy initialization.
Here’s how you can implement the Singleton pattern using an enum :
public enum SingletonEnum {
INSTANCE;
// Any additional fields or methods for the Singleton can be added here
// ...
// Example method
public void doSomething() {
// Implement functionality here
}
}
In this implementation, SingletonEnum is an enum that contains a single instance called INSTANCE. When the SingletonEnum class is loaded, the INSTANCE constant is initialized, and it remains the only instance throughout the application’s lifecycle.
In the context of implementing the Singleton pattern using an enum, the INSTANCE is a single constant instance of the enum type. In Java, enum constants are implicitly static and final, which means they can only be created once during the class loading and cannot be modified afterward. As a result, an enum with a single constant effectively serves as a singleton.
INSTANCE represents the sole instance of the SingletonEnum class. The enum constant name (INSTANCE in this case) can be any valid Java identifier, but by convention, INSTANCE is commonly used to signify that it represents the single instance of the singleton.
You can use the SingletonEnum instance like this:
public class Main {
public static void main(String[] args) {
SingletonEnum singleton1 = SingletonEnum.INSTANCE;
SingletonEnum singleton2 = SingletonEnum.INSTANCE;
// Both instances are the same
System.out.println(singleton1 == singleton2); // Output: true
// Call methods on the Singleton instance
singleton1.doSomething();
}
}
As enum constants are inherently thread-safe and guaranteed to be initialized only once, using an enum for the Singleton pattern eliminates the need for explicit synchronization and ensures a simple, efficient, and safe singleton implementation in Java.
As with any enum, the SingletonEnum’s instance is implicitly thread-safe and immune to issues related to reflection or serialization, making this approach one of the simplest and most effective ways to implement a thread-safe Singleton pattern in Java.
Enum Singleton doesn’t violate principle of Singleton in any case described above.