Singleton Pattern
is used when we want to allow only a single instance of a class can be created inside our application. This pattern ensures that a class only have a single instance by protecting the class creation process, which can be done by defining the class constructor with private access modifier.
To get an instance of a singleton we provide a getInstance()
method, this will be the only method that can be accessed to get an instance of the singleton class.
package org.kodejava.pattern.factory;
public class Singleton {
private static Singleton instance = new Singleton();
private Singleton() {
}
public static synchronized Singleton getInstance() {
return instance;
}
public void doSomething() {
for (int i = 0; i < 10; i++) {
System.out.println("i = " + i);
}
}
@Override
protected Object clone() throws CloneNotSupportedException {
throw new CloneNotSupportedException("Clone is not allowed.");
}
}
There are some rules that need to be followed when we want to implement a singleton.
- From code above we can see that a singleton has a static variable to keep it sole instance.
- We need to set the class constructor into private access modifier. By this we will not allow any other class to create an instance of this singleton because they have no access to the constructor.
- Because no other class can instantiate this singleton how can we use it? the answer is the singleton should provide a service to it users by providing some method that returns the instance, for example
getInstance()
. - When we use our singleton in a multi threaded application we need to make sure that instance creation process not resulting more that one instance, so we add a
synchronized
keywords to protect more than one thread access this method at the same time. - It is also advisable to override the
clone()
method of thejava.lang.Object
class and throwCloneNotSupportedException
so that another instance cannot be created by cloning the singleton object.
And this is how we use the singleton class.
package org.kodejava.pattern.factory;
public class SingletonDemo {
public static void main(String[] args) {
// Gets an instance of Singleton class and calls the
// doSomething method.
Singleton singleton = Singleton.getInstance();
singleton.doSomething();
}
}
Latest posts by Wayan (see all)
- How do I get number of each day for a certain month in Java? - September 8, 2024
- How do I get operating system process information using ProcessHandle? - July 22, 2024
- How do I sum a BigDecimal property of a list of objects using Java Stream API? - July 22, 2024
Thanks good explaination. Here another one blog explained the same concept in different approaches please go through this blog Singleton Design Pattern in java with example.