欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

设计模式系列1:单例模式(Singleton Pattern)

程序员文章站 2023-02-21 12:41:09
定义保证一个类仅有一个实例,并提供一个该实例的全局访问点。 --《设计模式GoF》UML类图使用场景当类只能有一个实例并且用户可以从一个众所周知的访问点访问它时。创建一个对象需要消耗过多的资源,比如IO和数据库连接等。C#代码实现1,初始版本namespace DesignPatternDemo.C... ......

定义

保证一个类仅有一个实例,并提供一个该实例的全局访问点。  --《设计模式gof》

uml类图

使用场景

  1. 当类只能有一个实例并且用户可以从一个众所周知的访问点访问它时。
  2. 创建一个对象需要消耗过多的资源,比如io和数据库连接等。

c#代码实现

1,初始版本

namespace designpatterndemo.consoleapp
{
    /// <summary>
    /// 单例类
    /// </summary>
    public class singleton
    {
        private static singleton _singleton;

        private singleton()
        { }

        public static singleton getinstance()
        {
            if (_singleton== null)
            {
                _singleton = new singleton();
            }

            return _singleton;
        }

    }
}

注意:此版本在多线程环境下不能保证线程安全!


2,双检锁

namespace designpatterndemo.consoleapp
{
    /// <summary>
    /// 单例类(双检锁)
    /// </summary>
    public class singletonv2
    {
        private static singletonv2 _singleton;
        private static readonly object lockobj = new object();

        private singletonv2()
        { }

        public static singletonv2 getinstance()
        {
            if (_singleton == null)
            {
                lock (lockobj)
                {
                    if (_singleton == null)
                    {
                        _singleton = new singletonv2();
                    }
                }
            }

            return _singleton;
        }
    }
}

总结:双检锁版本解决了多线程环境下线程安全的问题。


3,饿汉式版本

namespace designpatterndemo.consoleapp
{
    /// <summary>
    /// 单例类(饿汉式版本)
    /// </summary>
    public class singletonv3
    {
        private static readonly singletonv3 _singleton = new singletonv3();

        private singletonv3()
        { }

        public static singletonv3 getinstance()
        {
            return _singleton;
        }

    }
}

总结:这个版本的优点是实现简单并且没有加锁执行效率高,缺点是类加载时就初始化,可能会浪费内存资源。


4,测试

namespace designpatterndemo.consoleapp
{
    class program
    {
        static void main(string[] args)
        {
            singletonv2 singleton1 = singletonv2.getinstance();
            singletonv2 singleton2 = singletonv2.getinstance();

            if (singleton1 == singleton2)
            {
                console.writeline("对象singleton1和对象singleton2是同一个对象!");
            }

            console.readkey();
        }
    }
}

运行结果: