单例模式(C#)

2018-06-22 07:54:53来源:未知 阅读 ()

新老客户大回馈,云服务器低至5折

学习设计模式,一直没有机会写一个单例模式。

今天在控制台应用程序,写个简单的例子,Hi与Hello。

 

 public sealed class At
    {
        private static At instance = null;
        public static At Instance
        {
            get
            {
                if (instance == null)
                {
                    instance = new At();
                }
                return instance;
            }
        }

        public void Hello()
        {
            Console.WriteLine("Hello");
        }

        public void Hi()
        {
            Console.WriteLine("Hi");
        }
    }
Source Code

 

测试:

 

单例类,宣告为sealed,也就是说阻止其他类从该类继承。对象只是本身。

考虑到线程安全,可以有代码中,添加几行代码:

 

public sealed class At
    {
        private static At instance = null;
        private static readonly object threadSafeLock = new object();
        public static At Instance
        {
            get
            {
                lock (threadSafeLock)
                {
                    if (instance == null)
                    {
                        instance = new At();
                    }
                    return instance;
                }
            }
        }

        public void Hello()
        {
            Console.WriteLine("Hello");
        }

        public void Hi()
        {
            Console.WriteLine("Hi");
        }
    }
Source Code

 

下面内容于2017-12-12 08:10分添加:
补充,上面的写法是每次加锁,性能多少有些损失。 解决此问题可以加个判断对象没有实例化时加锁。

public static At Instance
        {
            get
            {
                if (instance == null)
                {
                    lock (threadSafeLock)
                    {
                        if (instance == null)
                        {
                            instance = new At();
                        }
                    }
                }
                return instance;
            }
        }
Source Code

 

标签:

版权申明:本站文章部分自网络,如有侵权,请联系:west999com@outlook.com
特别注意:本站所有转载文章言论不代表本站观点,本站所提供的摄影照片,插画,设计作品,如需使用,请与原作者联系,版权归原作者所有

上一篇:接口学习

下一篇:Quartz.NET实现作业调度