Table of Contents

Singleton

Singleton vs. static class

Singleton

Static class

Implementations

With locks

public sealed class Singleton
{
    static Singleton _instance=null;
    static readonly object _lock = new object();
 
    Singleton()
    {
    }
 
    public static Singleton Instance
    {
        get
        {
            lock (_lock)
            {
                if (_instance==null)
                {
                    _instance = new Singleton();
                }
                return _instance;
            }
        }
    }
}

Without locks

public sealed class Singleton
{
    static readonly Singleton _instance=new Singleton();
 
    static Singleton()
    {
    }
 
    Singleton()
    {
    }
 
    public static Singleton Instance
    {
        get
        {
            return _instance;
        }
    }
}

Without cycle

public sealed class Singleton
{
    Singleton()
    {
    }
 
    public static Singleton Instance
    {
        get
        {
            return Nested.instance;
        }
    }
 
    class Nested
    {
        static Nested()
        {
        }
 
        internal static readonly Singleton instance = new Singleton();
    }
}

Refrences