其他分享
首页 > 其他分享> > 单例模式

单例模式

作者:互联网

单例模式有懒汉和饿汉两种形式:

懒汉 不占用内存,但是不是线程安全的,所以要加锁保证线程安全。

饿汉 开始就创建好了,所以会一直占用内存,但是它是线程安全的。

各有各的好,考虑具体需求使用

    class Lazy
    {
        //懒汉式,先不创建
        private static Lazy instance = null;

        private static readonly object obj = new object();
        private Lazy() { }
        
        public static Lazy GetLazy()
        {
            //要用的时候再创建
            if (instance == null)
            {
                lock (obj)
                {
                    if (instance == null)
                    {
                        instance = new Lazy();
                    }
                }
            }
            return instance;
        }
    }

 

    public sealed class Hunger
    {
        //开始就先创建好
        private static readonly Hunger instance = new Hunger();
        private Hunger() { }

        public static Hunger GetHunger()
        {
            return instance;
        }

    }

 

标签:Lazy,Hunger,private,instance,static,模式,单例,null
来源: https://www.cnblogs.com/xunzf0402/p/16527510.html