c#中实现单列模式

public class Singleton
{
    private static Singleton instance;
    private static readonly object lockObject = new object();

    private Singleton() { }

    public static Singleton Instance
    {
        get
        {
            if (instance == null)
            {
                lock (lockObject)
                {
                    if (instance == null)
                    {
                        instance = new Singleton();
                    }
                }
            }
            return instance;
        }
    }
    public string SomeThing()
        {
            return "aaa";
        }
}

在这个示例中,我们使用了双重检查锁定来确保线程安全。通过将lock语句用于实例化对象的过程,我们可以保证在多线程环境下只有一个实例被创建。

使用时,可以通过Singleton.Instance来获取单例对象。例如:

 Singleton instance = Singleton.Instance;
 string msg = instance.SomeThing();

这样,无论在代码中的哪个位置获取Singleton.Instance,始终都会返回同一个实例。

你可能感兴趣的:(c#,单例模式)