Tutorial

Java Singleton Design Pattern Best Practices with Examples

Updated on November 5, 2022
authorauthor

Pankaj and Bradley Kouchi

Java Singleton Design Pattern Best Practices with Examples

Introduction

Java Singleton Pattern is one of the Gangs of Four Design patterns and comes in the Creational Design Pattern category. From the definition, it seems to be a straightforward design pattern, but when it comes to implementation, it comes with a lot of concerns.

In this article, we will learn about singleton design pattern principles, explore different ways to implement the singleton design pattern, and some of the best practices for its usage.

Singleton Pattern Principles

  • Singleton pattern restricts the instantiation of a class and ensures that only one instance of the class exists in the Java Virtual Machine.
  • The singleton class must provide a global access point to get the instance of the class.
  • Singleton pattern is used for logging, drivers objects, caching, and thread pool.
  • Singleton design pattern is also used in other design patterns like Abstract Factory, Builder, Prototype, Facade, etc.
  • Singleton design pattern is used in core Java classes also (for example, java.lang.Runtime, java.awt.Desktop).

Java Singleton Pattern Implementation

To implement a singleton pattern, we have different approaches, but all of them have the following common concepts.

  • Private constructor to restrict instantiation of the class from other classes.
  • Private static variable of the same class that is the only instance of the class.
  • Public static method that returns the instance of the class, this is the global access point for the outer world to get the instance of the singleton class.

In further sections, we will learn different approaches to singleton pattern implementation and design concerns with the implementation.

1. Eager initialization

In eager initialization, the instance of the singleton class is created at the time of class loading. The drawback to eager initialization is that the method is created even though the client application might not be using it. Here is the implementation of the static initialization singleton class:

package com.journaldev.singleton;

public class EagerInitializedSingleton {

    private static final EagerInitializedSingleton instance = new EagerInitializedSingleton();

    // private constructor to avoid client applications using the constructor
    private EagerInitializedSingleton(){}

    public static EagerInitializedSingleton getInstance() {
        return instance;
    }
}

If your singleton class is not using a lot of resources, this is the approach to use. But in most of the scenarios, singleton classes are created for resources such as File System, Database connections, etc. We should avoid the instantiation unless the client calls the getInstance method. Also, this method doesn’t provide any options for exception handling.

2. Static block initialization

Static block initialization implementation is similar to eager initialization, except that instance of the class is created in the static block that provides the option for exception handling.

package com.journaldev.singleton;

public class StaticBlockSingleton {

    private static StaticBlockSingleton instance;

    private StaticBlockSingleton(){}

    // static block initialization for exception handling
    static {
        try {
            instance = new StaticBlockSingleton();
        } catch (Exception e) {
            throw new RuntimeException("Exception occurred in creating singleton instance");
        }
    }

    public static StaticBlockSingleton getInstance() {
        return instance;
    }
}

Both eager initialization and static block initialization create the instance even before it’s being used and that is not the best practice to use.

3. Lazy Initialization

Lazy initialization method to implement the singleton pattern creates the instance in the global access method. Here is the sample code for creating the singleton class with this approach:

package com.journaldev.singleton;

public class LazyInitializedSingleton {

    private static LazyInitializedSingleton instance;

    private LazyInitializedSingleton(){}

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

The preceding implementation works fine in the case of the single-threaded environment, but when it comes to multi-threaded systems, it can cause issues if multiple threads are inside the if condition at the same time. It will destroy the singleton pattern and both threads will get different instances of the singleton class. In the next section, we will see different ways to create a thread-safe singleton class.

4. Thread Safe Singleton

A simple way to create a thread-safe singleton class is to make the global access method synchronized so that only one thread can execute this method at a time. Here is a general implementation of this approach:

package com.journaldev.singleton;

public class ThreadSafeSingleton {

    private static ThreadSafeSingleton instance;

    private ThreadSafeSingleton(){}

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

}

The preceding implementation works fine and provides thread-safety, but it reduces the performance because of the cost associated with the synchronized method, although we need it only for the first few threads that might create separate instances. To avoid this extra overhead every time, double-checked locking principle is used. In this approach, the synchronized block is used inside the if condition with an additional check to ensure that only one instance of a singleton class is created. The following code snippet provides the double-checked locking implementation:

public static ThreadSafeSingleton getInstanceUsingDoubleLocking() {
    if (instance == null) {
        synchronized (ThreadSafeSingleton.class) {
            if (instance == null) {
                instance = new ThreadSafeSingleton();
            }
        }
    }
    return instance;
}

Continue your learning with Thread Safe Singleton Class.

5. Bill Pugh Singleton Implementation

Prior to Java 5, the Java memory model had a lot of issues, and the previous approaches used to fail in certain scenarios where too many threads tried to get the instance of the singleton class simultaneously. So Bill Pugh came up with a different approach to create the singleton class using an inner static helper class. Here is an example of the Bill Pugh Singleton implementation:

package com.journaldev.singleton;

public class BillPughSingleton {

    private BillPughSingleton(){}

    private static class SingletonHelper {
        private static final BillPughSingleton INSTANCE = new BillPughSingleton();
    }

    public static BillPughSingleton getInstance() {
        return SingletonHelper.INSTANCE;
    }
}

Notice the private inner static class that contains the instance of the singleton class. When the singleton class is loaded, SingletonHelper class is not loaded into memory and only when someone calls the getInstance() method, this class gets loaded and creates the singleton class instance. This is the most widely used approach for the singleton class as it doesn’t require synchronization.

6. Using Reflection to destroy Singleton Pattern

Reflection can be used to destroy all the previous singleton implementation approaches. Here is an example class:

package com.journaldev.singleton;

import java.lang.reflect.Constructor;

public class ReflectionSingletonTest {

    public static void main(String[] args) {
        EagerInitializedSingleton instanceOne = EagerInitializedSingleton.getInstance();
        EagerInitializedSingleton instanceTwo = null;
        try {
            Constructor[] constructors = EagerInitializedSingleton.class.getDeclaredConstructors();
            for (Constructor constructor : constructors) {
                // This code will destroy the singleton pattern
                constructor.setAccessible(true);
                instanceTwo = (EagerInitializedSingleton) constructor.newInstance();
                break;
            }
        } catch (Exception e) {
            e.printStackTrace();
        }
        System.out.println(instanceOne.hashCode());
        System.out.println(instanceTwo.hashCode());
    }

}

When you run the preceding test class, you will notice that hashCode of both instances is not the same which destroys the singleton pattern. Reflection is very powerful and used in a lot of frameworks like Spring and Hibernate. Continue your learning with Java Reflection Tutorial.

7. Enum Singleton

To overcome this situation with Reflection, Joshua Bloch suggests the use of enum to implement the 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).

package com.journaldev.singleton;

public enum EnumSingleton {

    INSTANCE;

    public static void doSomething() {
        // do something
    }
}

8. Serialization and Singleton

Sometimes in distributed systems, we need to implement Serializable interface in the singleton class so that we can store its state in the file system and retrieve it at a later point in time. Here is a small singleton class that implements Serializable interface also:

package com.journaldev.singleton;

import java.io.Serializable;

public class SerializedSingleton implements Serializable {

    private static final long serialVersionUID = -7604766932017737115L;

    private SerializedSingleton(){}

    private static class SingletonHelper {
        private static final SerializedSingleton instance = new SerializedSingleton();
    }

    public static SerializedSingleton getInstance() {
        return SingletonHelper.instance;
    }

}

The problem with serialized singleton class is that whenever we deserialize it, it will create a new instance of the class. Here is an example:

package com.journaldev.singleton;

import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.ObjectInput;
import java.io.ObjectInputStream;
import java.io.ObjectOutput;
import java.io.ObjectOutputStream;

public class SingletonSerializedTest {

    public static void main(String[] args) throws FileNotFoundException, IOException, ClassNotFoundException {
        SerializedSingleton instanceOne = SerializedSingleton.getInstance();
        ObjectOutput out = new ObjectOutputStream(new FileOutputStream(
                "filename.ser"));
        out.writeObject(instanceOne);
        out.close();

        // deserialize from file to object
        ObjectInput in = new ObjectInputStream(new FileInputStream(
                "filename.ser"));
        SerializedSingleton instanceTwo = (SerializedSingleton) in.readObject();
        in.close();

        System.out.println("instanceOne hashCode="+instanceOne.hashCode());
        System.out.println("instanceTwo hashCode="+instanceTwo.hashCode());

    }

}

That code produces this output:

Output
instanceOne hashCode=2011117821 instanceTwo hashCode=109647522

So it destroys the singleton pattern. To overcome this scenario, all we need to do is provide the implementation of readResolve() method.

protected Object readResolve() {
    return getInstance();
}

After this, you will notice that hashCode of both instances is the same in the test program.

Read about Java Serialization and Java Deserialization.

Conclusion

This article covered the singleton design pattern.

Continue your learning with more Java tutorials.

Thanks for learning with the DigitalOcean Community. Check out our offerings for compute, storage, networking, and managed databases.

Learn more about our products

About the author(s)

Category:
Tutorial

Still looking for an answer?

Ask a questionSearch for more help

Was this helpful?
 
JournalDev
DigitalOcean Employee
DigitalOcean Employee badge
May 9, 2013

owesome post…evrything is discussed about singleton.keep it up…nd thanks

- poonam

JournalDev
DigitalOcean Employee
DigitalOcean Employee badge
June 21, 2013

Thanks Poonam, glad you liked it.

- Pankaj

JournalDev
DigitalOcean Employee
DigitalOcean Employee badge
July 18, 2014

what is difference between singleton and static method

- rajendra

JournalDev
DigitalOcean Employee
DigitalOcean Employee badge
August 5, 2017

singleton is a design pattern and static is a key word in JAVA

- Tejas

    JournalDev
    DigitalOcean Employee
    DigitalOcean Employee badge
    August 9, 2013

    Very nice post:-) keep up the good work

    - erick

      JournalDev
      DigitalOcean Employee
      DigitalOcean Employee badge
      October 14, 2013

      nice tutorial thanks … i have one question fro you How annotations works internally?

      - Tarun Soni

        JournalDev
        DigitalOcean Employee
        DigitalOcean Employee badge
        November 7, 2013

        Sir, As per u provide contains which one is the best practices for the Singleton Pattern. Regards Vishnu

        - Vishnu

        JournalDev
        DigitalOcean Employee
        DigitalOcean Employee badge
        November 11, 2013

        It depends on the situation, if your singleton is not heavyweight I would prefer pre-initialization but if you want lazy init, then I prefer helper inner class or Enum for singleton.

        - Pankaj

        JournalDev
        DigitalOcean Employee
        DigitalOcean Employee badge
        April 24, 2017

        But you’d written that enum Singleton is not lazy loaded. So can you say enum singleton is lazy or not?

        - Vikki

          JournalDev
          DigitalOcean Employee
          DigitalOcean Employee badge
          November 7, 2013

          This web site useful for me, Thanks a ton.

          - Vishnu

            JournalDev
            DigitalOcean Employee
            DigitalOcean Employee badge
            November 20, 2013

            Hi Pankaj, Can we create more than one object of a singleton class using serialization ? Please provide your view in detail about in which condition Singleton classes can have more than one objects. Thanks in advance. Regards, H Singh

            - H Singh

            JournalDev
            DigitalOcean Employee
            DigitalOcean Employee badge
            November 20, 2013

            Yes we can and thats why we can have readResolve() method implementation to get the same instance.

            - Pankaj

            JournalDev
            DigitalOcean Employee
            DigitalOcean Employee badge
            November 21, 2013

            What is the purpose of readResolve() method? how it helps in maintaining only one object of singleton class.

            - H Singh

              JournalDev
              DigitalOcean Employee
              DigitalOcean Employee badge
              December 19, 2013

              can you tell in which class we can find viewResolve().

              - Taufique Alam

                JournalDev
                DigitalOcean Employee
                DigitalOcean Employee badge
                January 6, 2014

                Very good site for design patterns. Explanation is easy and up to the mark. Thanks.

                - Prakash

                  JournalDev
                  DigitalOcean Employee
                  DigitalOcean Employee badge
                  January 22, 2014

                  This is a nice article and almost everything is covered. Thanks a ton.

                  - Anshul Jain

                    JournalDev
                    DigitalOcean Employee
                    DigitalOcean Employee badge
                    March 13, 2014

                    Very nice tutorial. It help me lot to understand the singleton. Could you please help me how protected Object readResolve() method make i class a singleton.

                    - DHARMENDRA KUMAR SAHU

                      JournalDev
                      DigitalOcean Employee
                      DigitalOcean Employee badge
                      March 22, 2014

                      Very nice, explained in simple terms.

                      - Rajesh

                        JournalDev
                        DigitalOcean Employee
                        DigitalOcean Employee badge
                        March 28, 2014

                        Hi Pankaj, Really nice explanation. Could you please let us know the other scinarios also where singleton is not a singleton. like, cloning, how distributed systems creates only one object where multiple clusters were involved, etc… Thanks in advance,…

                        - Mohan

                          JournalDev
                          DigitalOcean Employee
                          DigitalOcean Employee badge
                          April 3, 2014

                          Can you please explain the Singleton enum prevents lazy loading ?I feel that the instance creation happens lazily when it is first accessed.

                          - Prabhavathi

                          JournalDev
                          DigitalOcean Employee
                          DigitalOcean Employee badge
                          April 3, 2014

                          Enum variables are static by default, so as soon as you load an Enum all the variable instances will get loaded too. That’s why Enum can’t be used for lazy loading.

                          - Pankaj

                          JournalDev
                          DigitalOcean Employee
                          DigitalOcean Employee badge
                          April 17, 2015

                          public enum SingletonEnum { INSTANCE; public static final String Id=“0”; private SingletonEnum() { System.out.println(“SingletonEnum initialized”); } public void execute (String arg) { // Perform operation here } } class Snippet { public static void main(String[] args) { System.out.println(SingletonEnum.Id); } } Example to say enum approach is lazy loaded.

                          - Durga

                            JournalDev
                            DigitalOcean Employee
                            DigitalOcean Employee badge
                            April 7, 2014

                            Is Reflection breaks Bill Pugh Singleton Implementation? I tried it does not create new instance, it throws IllegalArgumentException But using serialization it breaks Bill Pugh Singleton Implementation. To avoid this we must use readResolve() method. Is it right? if i did mistake please mention it…

                            - Velmurugan A

                            JournalDev
                            DigitalOcean Employee
                            DigitalOcean Employee badge
                            April 7, 2014

                            Yes Reflection will break Bill Pugh implementation by making constructor accessible.

                            - Pankaj

                            JournalDev
                            DigitalOcean Employee
                            DigitalOcean Employee badge
                            April 8, 2014

                            thanks…

                            - Velmurugan A

                              JournalDev
                              DigitalOcean Employee
                              DigitalOcean Employee badge
                              April 8, 2014

                              Please look at this below code… and tell the reason why it’s throwing IllegalArgumentException import java.io.Serializable; public class Singleton implements Serializable{ private static final long serialVersionUID = 2L; private Singleton(){ System.out.println(“Singleton”); } public static Singleton getInstance(){ return Instance.s; } private static class Instance{ private static Singleton s = new Singleton(); } protected Object readResolve(){ return Instance.s; } } ---------------------------------------------------------------------------------------------------------------- import java.lang.reflect.Constructor; public class Test { public static void main(String[] args) throws Exception { Singleton s1 = Singleton.getInstance(); Singleton s2 = null; try { Constructor[] constructors = Singleton.class.getDeclaredConstructors(); for (Constructor constructor : constructors) { constructor.setAccessible(true); s2 = (Singleton) constructor.newInstance(); break; } } catch (Exception e) { e.printStackTrace(); } System.out.println(s1); System.out.println(s2); } } ------------------------------------------------------------------------------------------------------------------------- output: Singleton java.lang.IllegalArgumentException: wrong number of arguments at sun.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method) at sun.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:62) at sun.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45) at java.lang.reflect.Constructor.newInstance(Constructor.java:408) at com.vel.Test.main(Test.java:14) com.vel.Singleton@106d69c null ------------------------------------------------------------------------------------------------------------------------------ Note : if i remove readResolve() in Singleton class it does not throw any Exception. but I put this method it is throwing IllegalArguementException

                              - Velmurugan A

                              JournalDev
                              DigitalOcean Employee
                              DigitalOcean Employee badge
                              April 10, 2014

                              Velmurugan, the method readResolve() works only when the object is read from Stream. This is not the case when you’re using Reflection to destroy the Singleton pattern.

                              - Vikram

                              JournalDev
                              DigitalOcean Employee
                              DigitalOcean Employee badge
                              April 11, 2014

                              but I am using readResolve() method, without implements Serializable interface at the time Reflection throws same Exception. Is Reflection internally create an Object using Stream? or Internally any concept is going on in readResolve() method? Please help me… to understand

                              - Velmurugan A

                                JournalDev
                                DigitalOcean Employee
                                DigitalOcean Employee badge
                                May 9, 2014

                                Hello, i copy/paste your code in my Eclipse. It works good and no IllegalArgumentException was launched

                                - Valerio P

                                  JournalDev
                                  DigitalOcean Employee
                                  DigitalOcean Employee badge
                                  April 15, 2014

                                  Awesome Work buddy !!!

                                  - Likhit

                                    JournalDev
                                    DigitalOcean Employee
                                    DigitalOcean Employee badge
                                    April 15, 2014

                                    If you are using an enum as a singleton (only one enum constant “INSTANCE”), it is lazy loaded. If there are multiple enum constants, then they are all created at first access of any constant.

                                    - Jim Halvorsen

                                      JournalDev
                                      DigitalOcean Employee
                                      DigitalOcean Employee badge
                                      April 30, 2014

                                      All the articles are very supporting. thanks

                                      - Neha

                                        JournalDev
                                        DigitalOcean Employee
                                        DigitalOcean Employee badge
                                        May 10, 2014

                                        Awesome post Pankaj…This post is really very helpful…Thank you

                                        - Sumedh

                                          JournalDev
                                          DigitalOcean Employee
                                          DigitalOcean Employee badge
                                          May 27, 2014

                                          Very nice post…It was vry helpfull

                                          - Amasa

                                            JournalDev
                                            DigitalOcean Employee
                                            DigitalOcean Employee badge
                                            June 6, 2014

                                            Really Nice that Sharing your Knowledge to e-learners

                                            - RAJ9992

                                              JournalDev
                                              DigitalOcean Employee
                                              DigitalOcean Employee badge
                                              June 24, 2014

                                              Hi Pankaj, it is very nice post…one of the best among all intenet post on singleton

                                              - Pavan

                                                JournalDev
                                                DigitalOcean Employee
                                                DigitalOcean Employee badge
                                                July 2, 2014

                                                Thanks for your wonderful article

                                                - micheal

                                                  JournalDev
                                                  DigitalOcean Employee
                                                  DigitalOcean Employee badge
                                                  July 3, 2014

                                                  Hi Pankaj, your articles are very help to build concepts. Could you please explain more about this statement of Bill Pugh approach: “This is the most widely used approach for Singleton class as it doesn’t require synchronization.” Why this approach doesn’t require synchronization?

                                                  - Akhil

                                                  JournalDev
                                                  DigitalOcean Employee
                                                  DigitalOcean Employee badge
                                                  July 9, 2014

                                                  Because when you will call getInstane() method, the class will be loaded first in memory and an instance will get created. So even if multiple threads call getInstance() simultaneously, the class gets loaded only once and you dont need synchronization.

                                                  - Pankaj

                                                  JournalDev
                                                  DigitalOcean Employee
                                                  DigitalOcean Employee badge
                                                  August 2, 2014

                                                  It means, in Bill Pugh Singleton Implementation approach, we dont need final keyword as used in below: private static final BillPughSingleton INSTANCE = new BillPughSingleton(); It will work fine in all scenarios even if we use it like : private static BillPughSingleton INSTANCE = new BillPughSingleton();

                                                  - Anuj Agarwal

                                                  JournalDev
                                                  DigitalOcean Employee
                                                  DigitalOcean Employee badge
                                                  July 27, 2015

                                                  You must declare INSTANCE as final for surety. If you don’t then it will allow to change the value of INSTANCE in getInstance () method. One can easily change the value for it in your getInstance () method as per below: SingletonHelper.INSTANCE = null; // or by any value So it is much sure for one to declaring it as final.

                                                  - Jeegar Kumar

                                                    JournalDev
                                                    DigitalOcean Employee
                                                    DigitalOcean Employee badge
                                                    July 8, 2014

                                                    This is the best one stop post for singleton pattern i’ve come across.I had to give a training and this post gave me everything to discuss. Thanks a ton Pankaj for your amazing work.

                                                    - Priyanka

                                                      JournalDev
                                                      DigitalOcean Employee
                                                      DigitalOcean Employee badge
                                                      July 17, 2014

                                                      This tutorial gave me good clarity on Singleton Pattern. Thank you.

                                                      - Vinodini Vikram

                                                        JournalDev
                                                        DigitalOcean Employee
                                                        DigitalOcean Employee badge
                                                        July 19, 2014

                                                        Awesome explanation and very clear thanks a ton to pankaj

                                                        - Shashi

                                                          JournalDev
                                                          DigitalOcean Employee
                                                          DigitalOcean Employee badge
                                                          July 21, 2014

                                                          Great!!!

                                                          - Zaid

                                                          JournalDev
                                                          DigitalOcean Employee
                                                          DigitalOcean Employee badge
                                                          July 31, 2014

                                                          I love reading your tutorials. Great explaination !!!

                                                          - Kapil Agarwal

                                                            JournalDev
                                                            DigitalOcean Employee
                                                            DigitalOcean Employee badge
                                                            August 1, 2014

                                                            Hi Pankaj, Thanks for the elaborate explanations. I have a suggestion for you: Can you please add a scenario whereby cloning of the Singleton object is explained with an example. It would definitely help to understand different situations where Singleton can be used. Best Regards. Thanks, Nishant Kshirsagar

                                                            - Nishant Kshirsagar

                                                              JournalDev
                                                              DigitalOcean Employee
                                                              DigitalOcean Employee badge
                                                              August 7, 2014

                                                              @Anuj Agarwal declaring INSTANCE as a final object restricts re – assignment of a new instance to it. final Singleton INSTANCE = new Singleton(); INSTANCE = new Singleton(); // this won’t work

                                                              - Adyasha Nayak

                                                                JournalDev
                                                                DigitalOcean Employee
                                                                DigitalOcean Employee badge
                                                                August 7, 2014

                                                                its nice tutorial …

                                                                - tadveer Verma

                                                                  JournalDev
                                                                  DigitalOcean Employee
                                                                  DigitalOcean Employee badge
                                                                  August 24, 2014

                                                                  Hi pankaj, This is a nice article and almost everything is covered. it help me lot to understand singleton

                                                                  - kush singh

                                                                    JournalDev
                                                                    DigitalOcean Employee
                                                                    DigitalOcean Employee badge
                                                                    September 6, 2014

                                                                    in Singleton Class implements Serilizable, I added readResolve() method but still serialized object and deserialzed objects hashcodes are different…Please confirm me

                                                                    - Prashant Shahapur

                                                                      JournalDev
                                                                      DigitalOcean Employee
                                                                      DigitalOcean Employee badge
                                                                      September 18, 2014

                                                                      nice post…everything is discussed here…

                                                                      - MohanV

                                                                        JournalDev
                                                                        DigitalOcean Employee
                                                                        DigitalOcean Employee badge
                                                                        September 24, 2014

                                                                        The synchronized block of your code creating multiple objects in multi threaded programming

                                                                        - Naga

                                                                        JournalDev
                                                                        DigitalOcean Employee
                                                                        DigitalOcean Employee badge
                                                                        September 25, 2014

                                                                        Sorry for post my previous info.it’s working fine

                                                                        - Naga

                                                                          JournalDev
                                                                          DigitalOcean Employee
                                                                          DigitalOcean Employee badge
                                                                          September 26, 2014

                                                                          if i call clone() method on Singleton object was it create new object or return existing one if i load a class, using classloaders, is Singleton class has same behavior? Could please explain on above…

                                                                          - lokesh

                                                                          JournalDev
                                                                          DigitalOcean Employee
                                                                          DigitalOcean Employee badge
                                                                          October 7, 2014

                                                                          try to implement the method with cloneable interface and override clone method by throwing clonenotsupported exception, so that the object will not be cloneable as well. Thanks.

                                                                          - suraj

                                                                            JournalDev
                                                                            DigitalOcean Employee
                                                                            DigitalOcean Employee badge
                                                                            September 27, 2015

                                                                            Dear Lokesh, see this link https://blog.yohanliyanage.com/2009/09/breaking-the-singleton/

                                                                            - Arvind Ajimal

                                                                              JournalDev
                                                                              DigitalOcean Employee
                                                                              DigitalOcean Employee badge
                                                                              September 30, 2014

                                                                              Great Article Buddy… Thanks !!

                                                                              - Manav

                                                                                JournalDev
                                                                                DigitalOcean Employee
                                                                                DigitalOcean Employee badge
                                                                                October 5, 2014

                                                                                Thanks for your blog, i have a doubt. actually not clear with, where and how to use below: can you please explain with example? protected Object readResolve() { return getInstance(); }

                                                                                - Sridhar

                                                                                JournalDev
                                                                                DigitalOcean Employee
                                                                                DigitalOcean Employee badge
                                                                                July 27, 2015

                                                                                To avoid the object creation while de-serialization process.

                                                                                - Priyank

                                                                                  JournalDev
                                                                                  DigitalOcean Employee
                                                                                  DigitalOcean Employee badge
                                                                                  October 20, 2014

                                                                                  AWESOME

                                                                                  - sumit

                                                                                    JournalDev
                                                                                    DigitalOcean Employee
                                                                                    DigitalOcean Employee badge
                                                                                    October 21, 2014

                                                                                    Great article

                                                                                    - Preeti

                                                                                      JournalDev
                                                                                      DigitalOcean Employee
                                                                                      DigitalOcean Employee badge
                                                                                      October 31, 2014

                                                                                      Joshua Bloch also suggested , in case of SerializedSingleton we need to make all instance variables transient along with implemention of readResolve() method

                                                                                      - Abhijeet Kedare

                                                                                        JournalDev
                                                                                        DigitalOcean Employee
                                                                                        DigitalOcean Employee badge
                                                                                        November 5, 2014

                                                                                        its good

                                                                                        - Ramakrisha

                                                                                          JournalDev
                                                                                          DigitalOcean Employee
                                                                                          DigitalOcean Employee badge
                                                                                          November 14, 2014

                                                                                          Can you please add a scenario how to prevent breaking Singleton using Reflection with an example.?

                                                                                          - SivaPrasad

                                                                                            JournalDev
                                                                                            DigitalOcean Employee
                                                                                            DigitalOcean Employee badge
                                                                                            November 22, 2014

                                                                                            How distributed systems creates only one object where multiple clusters were involved

                                                                                            - Anup Kumar Shrivastava

                                                                                              JournalDev
                                                                                              DigitalOcean Employee
                                                                                              DigitalOcean Employee badge
                                                                                              November 22, 2014

                                                                                              Hello Pankaj, Like serialization, cloning can also destroy Singleton Pattern? Do you have any example or scenario to prevent object cloning on singleton class ?

                                                                                              - Pawan Bhawsar

                                                                                                JournalDev
                                                                                                DigitalOcean Employee
                                                                                                DigitalOcean Employee badge
                                                                                                November 28, 2014

                                                                                                here concept is good .but implementation is not that much good .pls try to give good stuff

                                                                                                - sudheer.maguluri

                                                                                                  JournalDev
                                                                                                  DigitalOcean Employee
                                                                                                  DigitalOcean Employee badge
                                                                                                  December 10, 2014

                                                                                                  Wonderful article. Thanq.

                                                                                                  - subrahmanyam

                                                                                                    JournalDev
                                                                                                    DigitalOcean Employee
                                                                                                    DigitalOcean Employee badge
                                                                                                    December 12, 2014

                                                                                                    ur examples are too good as usual

                                                                                                    - Neeraj

                                                                                                      JournalDev
                                                                                                      DigitalOcean Employee
                                                                                                      DigitalOcean Employee badge
                                                                                                      December 24, 2014

                                                                                                      if (instance == null) { synchronized (ThreadSafeSingleton.class) { if (instance == null) { instance = new ThreadSafeSingleton(); } } } This double checked locking code won’t work. If you write this code in Netbeans/ Intellij IDEA, it will show warning. Try to avoid this code.

                                                                                                      - Anoop

                                                                                                        JournalDev
                                                                                                        DigitalOcean Employee
                                                                                                        DigitalOcean Employee badge
                                                                                                        December 31, 2014

                                                                                                        Hi Pankaj, The above article was very good. You have covered all the case for the implementation . Are you planning to crate a vedio also. Wish you a Happy new year and all the best :-) Regards, Indrjeet Kumar

                                                                                                        - indrjeet kumar

                                                                                                          JournalDev
                                                                                                          DigitalOcean Employee
                                                                                                          DigitalOcean Employee badge
                                                                                                          January 10, 2015

                                                                                                          Good tutorial about singleton.I always get lot of confusion about this.Thanks for clarifying it out.

                                                                                                          - Surya

                                                                                                            JournalDev
                                                                                                            DigitalOcean Employee
                                                                                                            DigitalOcean Employee badge
                                                                                                            January 25, 2015

                                                                                                            Thanks for post. :) It’s very helpful of me.

                                                                                                            - Daniel Lim

                                                                                                              Join the Tech Talk
                                                                                                              Success! Thank you! Please check your email for further details.

                                                                                                              Please complete your information!

                                                                                                              Become a contributor for community

                                                                                                              Get paid to write technical tutorials and select a tech-focused charity to receive a matching donation.

                                                                                                              DigitalOcean Documentation

                                                                                                              Full documentation for every DigitalOcean product.

                                                                                                              Resources for startups and SMBs

                                                                                                              The Wave has everything you need to know about building a business, from raising funding to marketing your product.

                                                                                                              Get our newsletter

                                                                                                              Stay up to date by signing up for DigitalOcean’s Infrastructure as a Newsletter.

                                                                                                              New accounts only. By submitting your email you agree to our Privacy Policy

                                                                                                              The developer cloud

                                                                                                              Scale up as you grow — whether you're running one virtual machine or ten thousand.

                                                                                                              Get started for free

                                                                                                              Sign up and get $200 in credit for your first 60 days with DigitalOcean.*

                                                                                                              *This promotional offer applies to new accounts only.