C# singleton如何實(shí)現(xiàn)線程安全

c#
小樊
88
2024-07-30 15:30:13

在C#中實(shí)現(xiàn)線程安全的singleton可以通過(guò)以下幾種方法:

  1. 使用雙重檢查鎖定(Double-Checked Locking):
public sealed 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;
        }
    }
}
  1. 使用Lazy類(lèi)型:
public sealed class Singleton
{
    private static readonly Lazy<Singleton> lazy = new Lazy<Singleton>(() => new Singleton());
    
    public static Singleton Instance { get { return lazy.Value; } }

    private Singleton() { }
}
  1. 使用靜態(tài)構(gòu)造函數(shù):
public sealed class Singleton
{
    private static readonly Singleton instance = new Singleton();

    static Singleton() { }

    private Singleton() { }

    public static Singleton Instance
    {
        get
        {
            return instance;
        }
    }
}

以上三種方法都可以確保在多線程環(huán)境下創(chuàng)建唯一的實(shí)例并保證線程安全性。其中,雙重檢查鎖定是一種常用的方式,Lazy類(lèi)型是.NET Framework提供的延遲實(shí)例化的方式,靜態(tài)構(gòu)造函數(shù)也可以確保在調(diào)用實(shí)例之前進(jìn)行初始化。根據(jù)具體需求選擇適合的方式來(lái)實(shí)現(xiàn)線程安全的singleton。

0