码迷,mamicode.com
首页 > 其他好文 > 详细

【设计模式】单例模式

时间:2020-05-02 09:27:16      阅读:58      评论:0      收藏:0      [点我收藏+]

标签:代码   code   sig   thread   master   加载   tree   lazy   vat   

定义

确保某个类只有一个实例

实现方式

饿汉式加载(线程安全)

public sealed class Singleton
{
    private static Singleton _instance = new Singleton();
    //将构造函数设置私有,外部不能new
    private Singleton() { }
    public static Singleton Instance => _instance;
}

等价于

public sealed class Singleton
{
    private static Singleton _instance;
    static Singleton()
    {
        _instance = new Singleton();
    }
    //将构造函数设置私有,外部不能new 
    private Singleton() { }
    public static Singleton Instance => _instance;
}

懒汉式加载

  • 非线程安全
public sealed class Singleton
{
    private static Singleton _instance;
    private Singleton() { }
    public static Singleton Instance => _instance = _instance ?? new Singleton();
}
  • 线程安全
  1. Double Check
public sealed class Singleton
{
    private static readonly object _lock = new object();
    private static Singleton _instance;
    private Singleton()
    {
        Console.WriteLine("Singleton Constructor");
    }
    public static Singleton Instance
    {
        get
        {
            /// 避免走内核代码
            if (_instance != null) return _instance;

            lock (_lock)
            {
                if (_instance == null)
                {
                    var temp = new Singleton();
                    //确保_instance写入之前,Singleton已经初始化完成
                    System.Threading.Volatile.Write<Singleton>(ref _instance, temp);
                }
            }
            return _instance;
        }
    }
}
  1. 借助Lazy
public sealed class Singleton
{
    private static Lazy<Singleton> _instance = new Lazy<Singleton>(() => new Singleton(), true);
    private Singleton()
    {
        Console.WriteLine("Singleton Constructor");
    }
    public static Singleton Instance => _instance.Value;
}

示例代码 - github

【设计模式】单例模式

标签:代码   code   sig   thread   master   加载   tree   lazy   vat   

原文地址:https://www.cnblogs.com/WilsonPan/p/12815640.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!