Singleton pattern
From Wikipedia, the free encyclopedia
In software engineering, the singleton pattern is a design pattern that is used to restrict instantiation of a class to one object. This is useful when exactly one object is needed to coordinate actions across the system. Sometimes it is generalized to systems that operate more efficiently when only one or a few objects exist. It is also considered an anti-pattern by some people, who feel that it is often used as a euphemism for global variable[citation needed].
Contents |
[edit] Common uses
- The Abstract Factory, Builder, and Prototype patterns can use Singletons in their implementation.
- Façade objects are often Singletons because only one Façade object is required.
- State objects are often Singletons.
- Singletons are often preferred to global variables because:
- Singletons behave differently depending on the lifetime of the virtual machine. While a software development kit may start a new virtual machine for every run which results in a new instance of the singleton being created, calls to a singleton e.g. within the virtual machine of an application server behave differently. There the virtual machine remains alive, therefore the instance of the singleton remains as well. Running the code again therefore can retrieve the "old" instance of the singleton which then may be contaminated with values in local fields which are the result of the first run.
[edit] Class diagram
[edit] Implementation
The singleton pattern is implemented by creating a class with a method that creates a new instance of the class if one does not exist. If an instance already exists, it simply returns a reference to that object. To make sure that the object cannot be instantiated any other way, the constructor is made protected (not private, because reuse and unit test could need to access the constructor). Note the distinction between a simple static instance of a class and a singleton: although a singleton can be implemented as a static instance, it can also be lazily constructed, requiring no memory or resources until needed. Another notable difference is that static member classes cannot implement an interface, unless that interface is simply a marker. So if the class has to realize a contract expressed by an interface, it really has to be a singleton.
The singleton pattern must be carefully constructed in multi-threaded applications. If two threads are to execute the creation method at the same time when a singleton does not yet exist, they both must check for an instance of the singleton and then only one should create the new one. If the programming language has concurrent processing capabilities the method should be constructed to execute as a mutually exclusive operation.
The classic solution to this problem is to use mutual exclusion on the class that indicates that the object is being instantiated.
[edit] Example implementations
[edit] Scala
The Scala programming language supports Singleton objects out-of-the-box. The 'object' keyword creates a class and also defines a singleton object of that type.
object Example extends ArrayList { // creates a singleton called Example }
[edit] Java
The Java programming language solutions provided here are all thread-safe but differ in supported language versions and lazy-loading.
[edit] The solution of Bill Pugh
This is the recommended method. It is known as the initialization on demand holder idiom and is as lazy as possible. Moreover, it works in all known versions of Java. This solution is the most portable across different Java compilers and virtual machines.
The inner class is referenced no earlier (and therefore loaded no earlier by the class loader) than the moment that getInstance() is called. Thus, this solution is thread-safe without requiring special language constructs (i.e. volatile and/or synchronized).
public class Singleton { // Protected constructor is sufficient to suppress unauthorized calls to the constructor protected Singleton() {} /** * SingletonHolder is loaded on the first execution of Singleton.getInstance() * or the first access to SingletonHolder.instance , not before. */ private static class SingletonHolder { private final static Singleton instance = new Singleton(); } public static Singleton getInstance() { return SingletonHolder.instance; } }
[edit] Traditional simple way
Just like the one above, this solution is thread-safe without requiring special language constructs, but it lacks the laziness. The INSTANCE is created as soon as the Singleton class loads. That might even be long before getInstance() is called. It might be (for example) when some static method of the class is used. If laziness is not needed or the instance needs to be created early in the application's execution, this (slightly) simpler solution can be used:
public class Singleton { public final static Singleton instance = new Singleton(); // Protected constructor is sufficient to suppress unauthorized calls to the constructor protected Singleton() {} }
[edit] Java 5 solution
If and only if the compiler used is Java 5 (also known as Java 1.5) or newer, AND all Java virtual machines the application is going to run on fully support the Java 5 memory model, then (and only then) the volatile double checked locking can be used (for a detailed discussion of why it should never be done before Java 5 see The "Double-Checked Locking is Broken" Declaration):
public class Singleton { private static volatile Singleton INSTANCE; // Protected constructor is sufficient to suppress unauthorized calls to the constructor protected Singleton() {} public static Singleton getInstance() { if (INSTANCE == null) synchronized(Singleton.class) { if (INSTANCE == null) INSTANCE = new Singleton(); } return INSTANCE; } }
Allen Holub (in "Taming Java Threads", Berkeley, CA: Apress, 2000, pp. 176–178) notes that on multi-CPU systems (which are widespread as of 2007), the use of volatile may have an impact on performance approaching to that of synchronization, and raises the possibility of other problems. Thus this solution has little to recommend it over Pugh's solution described above.
[edit] PHP 5
Singleton pattern in PHP 5[2][3]:
<?php class Singleton { // object instance private static $instance; // The private construct prevents instantiating the class externally. The construct can be // empty, or it can contain additional instructions... private function __construct() { ... } // The clone method prevents external instantiation of copies of the Singleton class, // thus eliminating the possibility of duplicate classes. The clone can be empty, or // it can contain additional code, most probably generating error messages in response // to attempts to call. private function __clone() { ... } //This method must be static, and must return an instance of the object if the object //does not already exist. public static function getInstance() { if (!self::$instance instanceof self) { self::$instance = new self; } return self::$instance; } //One or more public methods that grant access to the Singleton object, and its private //methods and properties via accessor methods. public function doAction() { ... } } //usage Singleton::getInstance()->doAction(); ?>
[edit] Actionscript 3.0
Private constructors are not available in ActionScript 3.0 - which prevents a single/standard approach to realizing the Singleton Pattern. The work-around is:
/** * @author Rick Winscot, Samuel Agesilas */ package com.quilix.samples { import flash.utils.*; /** * The SingletonClass is a globally accessible object. Place the following * reference in the primary application container or class. * * private static var _singletonClass:SingletonClass = SingletonClass.getInstance(); * * This 'dangling' reference will ensure that the SingletonClass is * instantiated early in the application life cycle - preventing conflicts * that may arise when using singletons in modules. */ public class SingletonClass { /** * The Singleton 'self-reference' served up by getInstance(). */ private static var _singletonClass:SingletonClass = null; /** * Uses a scope constrained Constructor and ensures that the only * class eligible to call the SingletonClass is itself. */ public function SingletonClass( enforcer:SingletonEnforcer ) { if ( getQualifiedClassName( super ) != "com.quilix.samples::SingletonClass" ) { throw new Error( "Invalid Singleton access. Please use SingletonClass.getInstance() instead." ); } } /** * The 'single' access point for the SingletonClass. */ public static function getInstance():SingletonClass { if ( _singletonClass == null ) { _singletonClass= new SingletonClass( new SingletonEnforcer() ); } return _singletonClass; } }// end SingletonClass }// end package /** * Used to enforce restricted instantiation of the SingletonClass. */ class SingletonEnforcer{}
One caveat in ActionScript 3.0 revolves around the intermingling of 'modules' and singletons. Without a dangling reference in the application container - there is a possibility that, if the module were to touch the singleton before the application, two instances (with different memory locations) could be created; one for the module and one for the application.
[edit] Objective-C
A common way to implement a singleton in Objective-C is the following:
@interface MySingleton : NSObject { } + (MySingleton *)sharedSingleton; @end @implementation MySingleton + (MySingleton *)sharedSingleton { static MySingleton *sharedSingleton; @synchronized(self) { if (!sharedSingleton) sharedSingleton = [[MySingleton alloc] init]; return sharedSingleton; } } @end
If thread-safety is not required, the synchronization can be left out, leaving the +sharedSingleton
method like this:
+ (MySingleton *)sharedSingleton { static MySingleton *sharedSingleton; if (!sharedSingleton) sharedSingleton = [[MySingleton alloc] init]; return sharedSingleton; }
This pattern is widely used in the Cocoa frameworks (see for instance, NSApplication
, NSColorPanel
, NSFontPanel
or NSWorkspace
, to name but a few).
Some may argue that this is not, strictly speaking, a Singleton, because it is possible to allocate more than one instance of the object. A common way around this is to use assertions or exceptions to prevent this double allocation.
@interface MySingleton : NSObject { } + (MySingleton *)sharedSingleton; @end @implementation MySingleton static MySingleton *sharedSingleton; + (MySingleton *)sharedSingleton { @synchronized(self) { if (!sharedSingleton) [[MySingleton alloc] init]; return sharedSingleton; } } +(id)alloc { @synchronized(self) { NSAssert(sharedSingleton == nil, @"Attempted to allocate a second instance of a singleton."); sharedSingleton = [super alloc]; return sharedSingleton; } } @end
There are alternative ways to express the Singleton pattern in Objective-C, but they are not always as simple or as easily understood, not least because they may rely on the -init
method returning an object other than self
. Some of the Cocoa "Class Clusters" (e.g. NSString
, NSNumber
) are known to exhibit this type of behaviour.
Note that @synchronized
is not available in some Objective-C configurations, as it relies on the NeXT/Apple runtime. It is also comparatively slow, because it has to look up the lock based on the object in parentheses. Check the history of this page for a different implementation using an NSConditionLock
.
[edit] C++
Here is a possible implementation in C++, using the Curiously Recurring Template Pattern. In this implementation, also known as the Meyers singleton [4], the singleton is a static local object. Because C++ provides no standard multithreading support, this solution is not thread-safe in general, though some compilers (e.g. gcc) generate thread-safe code in this case.
#include <iostream> template<typename T> class Singleton { public: static T& Instance() { static T theSingleInstance; // assumes T has a protected default constructor return theSingleInstance; } }; class OnlyOne : public Singleton<OnlyOne> { friend class Singleton<OnlyOne>; int example_data; public: int Getexample_data() const {return example_data;} protected: OnlyOne(): example_data(42) {} // default constructor }; #define ReferenceName OnlyOne::Instance() /* This test case should print "42". */ #include <iostream> int main() { std::cout<< ReferenceName.Getexample_data()<<std::endl; return 0; }
[edit] C++ (using pthreads)
This article requires authentication or verification by an expert. Please assist in recruiting an expert or improve this article yourself. See the talk page for details. This article has been tagged since May 2008. |
A common design pattern for thread safety with the singleton class is to use double-checked locking. However, due to the ability of modern processors to re-order instructions (as long as the result is consistent with their architecturally-specified memory model), and the absence of any consideration being given to multiple threads of execution in the language standard, double-checked locking is intrinsically prone to failure in C++. There is no model — other than runtime libraries (e.g. POSIX threads, designed to provide concurrency primitives) — that can provide the necessary execution order.[1]
By adding a mutex to the singleton class, a thread-safe implementation may be obtained.
#include <pthread.h> #include <memory> #include <iostream> class Mutex { public: Mutex() { pthread_mutex_init(&m, 0); } void lock() { pthread_mutex_lock(&m); } void unlock() { pthread_mutex_unlock(&m); } private: pthread_mutex_t m; }; class MutexLocker { public: MutexLocker(Mutex& pm): m(pm) { m.lock(); } ~MutexLocker() { m.unlock(); } private: Mutex& m; }; class Singleton { public: static Singleton& Instance(); int example_data; ~Singleton() { } protected: Singleton(): example_data(42) { } private: static std::auto_ptr<Singleton> theSingleInstance; static Mutex m; }; Singleton& Singleton::Instance() { if (theSingleInstance.get() == 0) { MutexLocker obtain_lock(m); if (theSingleInstance.get() == 0) { theSingleInstance.reset(new Singleton); } } return *theSingleInstance; } std::auto_ptr<Singleton> Singleton::theSingleInstance; Mutex Singleton::m; int main() { std::cout << Singleton::Instance().example_data << std::endl; return 0; }
Note the use of the MutexLocker
class in the Singleton::Instance()
function. The MutexLocker
is being used as an RAII object, also known as scoped lock, guaranteeing that the mutex lock will be relinquished even if an exception is thrown during the execution of Singleton::Instance()
, since the language specification pledges that the destructors of automatically allocated objects are invoked during stack unwind.
This implementation invokes the mutex-locking primitives for each call to Singleton::Instance()
, even though the mutex is only needed once, the first time the method is called. To get rid of the extra mutex operations, the programmer can explicitly construct Singleton::theSingleInstance
early in the program (say, in main
); or, the class can be optimized (in this case, using pthread_once
) to cache the value of the initialized pointer in thread-local storage.
More code must be written if the singleton code is located in a static library, but the program is divided into DLLs.[citation needed] Each DLL that uses the singleton will create a new and distinct instance of the singleton.[citation needed] To avoid that, the singleton code must be linked in a DLL. Alternatively, the singleton can be rewritten to use a memory-mapped file to store theSingleInstance
.
[edit] C#
This example is thread-safe with lazy initialization.
/// <summary> /// Class implements singleton pattern. /// </summary> public class Singleton { // Protected constructor is sufficient to avoid other instantiation // This must be present otherwise the compiler provides // a default public constructor protected Singleton() { } /// <summary> /// Return an instance of <see cref="Singleton"/> /// </summary> public static Singleton Instance { get { /// An instance of Singleton wont be created until the very first /// call to the sealed class. This is a CLR optimization that /// provides a properly lazy-loading singleton. return SingletonCreator.CreatorInstance; } } /// <summary> /// Sealed class to avoid any heritage from this helper class /// </summary> private sealed class SingletonCreator { // Retrieve a single instance of a Singleton private static readonly Singleton _instance = new Singleton(); /// <summary> /// Return an instance of the class <see cref="Singleton"/> /// </summary> public static Singleton CreatorInstance { get { return _instance; } } } }
Another example(using static constructor)
using System; using System.Threading; namespace Singleton1 { class Singleton { private static readonly Singleton _instance; private int v; /// <summary> /// Protected constructor is sufficient to prevent /// instantiation by using 'new' keyword. /// </summary> protected Singleton() { Console.WriteLine("Singleton Instance Creating..."); this.V = 0; Thread.Sleep(1000); // Simulate a HEAVY creation cost. Console.WriteLine("Singleton Instance Created."); } /// <summary> /// Static constructor /// </summary> static Singleton() { _instance = new Singleton(); } public static Singleton Instance { get { return _instance; } } public int V { get { return v; } set { v = value; } } public void DoSomeWork() { Console.Write("#"); lock(this) { V++; } Thread.Sleep(500); } } class TestClass { /// <summary> /// Singleton with Multithread /// </summary> static void Multithread() { Singleton instance = Singleton.Instance; Thread t = new Thread(new ThreadStart(instance.DoSomeWork)); t.Start(); } static void Main(string[] args) { int i; for(i = 0; i < 10; i++) { Console.WriteLine("Do some work..."); Thread.Sleep(100); } // ^- Until now, this application has no any singleton instance. -^ // for(i = 0; i < 300; i++) { // At first time, Singleton class make an instance of itself. // Other time, it will return absolutly same instance. Multithread(); } Thread.Sleep(1000); // Wait for sure all threads finished. Console.WriteLine(""); Console.WriteLine("V value - expected: {0}, actual: {1}",i,Singleton.Instance.V); // Singleton with 'new' is Strictly forbidden. // Singleton y = new Singleton(); // No acceptable. } } }
Example in C# 2.0 (thread-safe)
/// <summary> /// Parent for singleton /// </summary> /// <typeparam name="T">Singleton class</typeparam> public class Singleton<T> where T : class, new() { private static readonly object syncLock = new object(); private static T instance; protected Singleton() { } public static T Instance { get { if (instance == null) { lock (syncLock) { if (instance == null) { instance = new T(); } } } return instance; } } } /// <summary> /// Concrete Singleton /// </summary> public class TestClass : Singleton<TestClass> { public string TestProc() { return "Hello World"; } } // Somewhere in the code ..... TestClass.Instance.TestProc(); .....
[edit] Python
According to influential Python programmer Alex Martelli, The Singleton design pattern (DP) has a catchy name, but the wrong focus—on identity rather than on state. The Borg design pattern has all instances share state instead.[5] A rough consensus in the Python community is that sharing state among instances is more elegant, at least in Python, than is caching creation of identical instances on class initialization. Coding shared state is nearly transparent:
class Borg: __shared_state = {} def __init__(self): self.__dict__ = self.__shared_state # and whatever else is needed in the class -- that's all!
But with the new style class, this is a better solution, because only one instance is created:
class Singleton (object): instance = None def __new__(cls, *args, **kwargs): if cls.instance is None: cls.instance = object.__new__(cls, *args, **kwargs) return cls.instance #Usage mySingleton1 = Singleton() mySingleton2 = Singleton() #mySingleton1 and mySingleton2 are the same instance. assert mySingleton1 is mySingleton2
Two caveats:
- The __init__-method is called every time Singleton() is called, unless cls.__init__ is set to an empty function.
- If it is needed to inherit from the Singleton-class, instance should probably be a dictionary belonging explicitly to the Singleton-class.
class InheritableSingleton (object): instances = {} def __new__(cls, *args, **kwargs): if InheritableSingleton.instances.get(cls) is None: cls.__original_init__ = cls.__init__ InheritableSingleton.instances[cls] = object.__new__(cls, *args, **kwargs) elif cls.__init__ == cls.__original_init__: def nothing(*args, **kwargs): pass cls.__init__ = nothing return InheritableSingleton.instances[cls]
To create a singleton that inherits from a non-singleton, multiple inheritance must be used.
class Singleton (NonSingletonClass, object): instance = None def __new__(cls, *args, **kargs): if cls.instance is None: cls.instance = object.__new__(cls, *args, **kargs) return cls.instance
Be sure to call the NonSingletonClass's __init__ function from the Singleton's __init__ function.
[edit] Perl
In a Perl version equal or superior to 5.10 a state variable can be used.
package MySingletonClass; use strict; use warnings; use 5.10; sub new { my ($class) = @_; state $the_instance; if (! defined $the_instance) { $the_instance = bless { }, $class; } return $the_instance; }
In older Perls, just use a closure.
package MySingletonClass; use strict; use warnings; my $THE_INSTANCE; sub new { my ($class) = @_; if (! defined $THE_INSTANCE) { $THE_INSTANCE = bless { }, $class; } return $THE_INSTANCE; }
If Moose is used, there is the MooseX::Singleton extension module.
[edit] Ruby
In Ruby, just include the Singleton in the class.
require 'singleton' class Example include Singleton end
[edit] ABAP Objects
In ABAP Objects, to make instantiation private, add an attribute of type ref to the class, and a static method to control instantiation.
program pattern_singleton. *********************************************************************** * Singleton * ========= * Intent * * Ensure a class has only one instance, and provide a global point * of access to it. *********************************************************************** class lcl_Singleton definition create private. public section. class-methods: get_Instance returning value(Result) type ref to lcl_Singleton. private section. class-data: fg_Singleton type ref to lcl_Singleton. endclass. class lcl_Singleton implementation. method get_Instance. if ( fg_Singleton is initial ). create object fg_Singleton. endif. Result = fg_Singleton. endmethod. endclass.
[edit] Prototype-based singleton
In a prototype-based programming language, where objects but not classes are used, a "singleton" simply refers to an object without copies or that is not used as the prototype for any other object. Example in Io:
Foo := Object clone Foo clone := Foo
[edit] Example of use with the factory method pattern
The singleton pattern is often used in conjunction with the factory method pattern to create a system-wide resource whose specific type is not known to the code that uses it. An example of using these two patterns together is the Java Abstract Windowing Toolkit (AWT).
java.awt.Toolkit
is an abstract class that binds the various AWT components to particular native toolkit implementations. The Toolkit
class has a Toolkit.getDefaultToolkit()
factory method that returns the platform-specific subclass of Toolkit
. The Toolkit
object is a singleton because the AWT needs only a single object to perform the binding and the object is relatively expensive to create. The toolkit methods must be implemented in an object and not as static methods of a class because the specific implementation is not known by the platform-independent components. The name of the specific Toolkit
subclass used is specified by the "awt.toolkit" environment property accessed through System.getProperties()
.
The binding performed by the toolkit allows, for example, the backing implementation of a java.awt.Window
to bound to the platform-specific java.awt.peer.WindowPeer
implementation. Neither the Window
class nor the application using the window needs to be aware of which platform-specific subclass of the peer is used.
[edit] References
- ^ Gamma, E, Helm, R, Johnson, R, Vlissides, J: "Design Patterns", page 128. Addison-Wesley, 1995
- ^ McArthur, Kevin: "Pro PHP: Patterns, Frameworks, Testing and More", pp 22–23. Apress, 2008
- ^ Zandstra, Matt: "PHP Objects, Patterns and Practice", pp 147–149. Apress, 2008
- ^ Alexandrescu, Andrei [2001]. Modern C++ Design. Reading, MA: Addison-Wesley. ISBN 0-201-70431-5.
- ^ Alex Martelli. Singleton? We don't need no stinkin' singleton: the Borg design pattern. ASPN Python Cookbook. Retrieved on 2006-09-07.
- "C++ and the Perils of Double-Checked Locking" Meyers, Scott and Alexandrescu, Andrei, September 2004.
- "The Boost.Threads Library" Kempf, B., Dr. Dobb's Portal, April 2003.
[edit] External links
- The "Double-Checked Locking is Broken" Declaration (Java)
- Java Singleton Pattern
- A Pattern Enforcing Compiler that enforces the Singleton pattern amongst other patterns
- Description from the Portland Pattern Repository
- Implementing the Singleton Pattern in C# by Jon Skeet
- A Threadsafe C++ Template Singleton Pattern for Windows Platforms by O. Patrick Barnes
- Implementing the Inheritable Singleton Pattern in PHP5
- Singleton Pattern and Thread Safety
- PHP patterns
- Javascript implementation of a Singleton Pattern by Christian Schaefer
- Singletons Cause Cancer
- Singleton examples
- Article "Double-checked locking and the Singleton pattern" by Peter Haggar
- Article "Use your singletons wisely" by J. B. Rainsberger
- Article "Simply Singleton" by David Geary
- Article "Description of Singleton" by Aruna
- Article "Why Singletons Are Controversial"
- The Google Singleton Detector analyzes Java bytecode to detect singletons, so that their usefulness can be evaluated.
- Jt J2EE Pattern Oriented Framework
- Serialization of Singleton in Java
- Singleton at Microsoft patterns & practices Developer Center
|