Java Singleton Design Pattern : Questions Java Singleton Design Pattern : Questions spring spring

Java Singleton Design Pattern : Questions


There are a few ways to implement a Singleton pattern in Java:

// private constructor, public static instance// usage: Blah.INSTANCE.someMethod();public class Blah {    public static final Blah INSTANCE = new Blah();    private Blah() {    }    // public methods}// private constructor, public instance method// usage: Woo.getInstance().someMethod();public class Woo {    private static final Woo INSTANCE = new Woo();    private Woo() {    }    public static Woo getInstance() {        return INSTANCE;    }    // public methods}// Java5+ single element enumeration (preferred approach)// usage: Zing.INSTANCE.someMethod();public enum Zing {    INSTANCE;    // public methods}

Given the examples above, you will have a single instance per classloader.

Regarding using a singleton in a cluster...I'm not sure what the definition of "using" is...is the interviewer implying that a single instance is created across the cluster? I'm not sure if that makes a whole lot of sense...?

Lastly, defining a non-singleton object in spring is done simply via the attribute singleton="false".


I disagree with @irreputable.

The scope of a Singleton is its node in the Classloader tree. Its containing classloader, and any child classloaders can see the Singleton.

It's important to understand this concept of scope, especially in the application servers which have intricate Classloader hierarchies.

For example, if you have a library in a jar file on the system classpath of an app server, and that library uses a Singleton, that Singleton is going to (likely) be the same for every "app" deployed in to the app server. That may or may not be a good thing (depends on the library).

Classloaders are, IMHO, one of the most important concepts in Java and the JVM, and Singletons play right in to that, so I think it is important for a Java programmer to "care".


I find it hard to believe that so many answers missed the best standard practice for singletons - using Enums - this will give you a singleton whose scope is the class loader which is good enough for most purposes.

public enum Singleton { ONE_AND_ONLY_ONE ; ... members and other junk ... }

As for singletons at higher levels - perhaps I am being silly - but my inclination would be to distribute the JVM itself (and restrict the class loaders). Then the enum would be adequate to the job .