Is this Singleton implementation correct and threa

2020-02-09 05:38发布

Is this singleton implementation correct and thread-safe?

class Class
{
    public static readonly Class Instance;

    static Class()
    {
        Instance = new Class();
    }

    private Class() {}
}

4条回答
地球回转人心会变
2楼-- · 2020-02-09 05:53

Yes. I would also make the class 'sealed' to avoid any future confusion.

查看更多
Evening l夕情丶
3楼-- · 2020-02-09 05:59

You should do the initialization in the variable declaration:

public static readonly Class Instance = new Class();
查看更多
Animai°情兽
4楼-- · 2020-02-09 06:00

Good discussion of how to do that is here:

http://www.yoda.arachsys.com/csharp/singleton.html

查看更多
地球回转人心会变
5楼-- · 2020-02-09 06:11

Technically, your version should work. However, I would not recommend exposing a public field within your Singleton class, and prefer using a Property (with a getter only). This will help future-proof your API if you need to make changes later. I also recommend sealing any singleton implementation, as subclassing a singleton class is almost always a bad idea and problematic.

I would, personally, use the following in C#, if you're targetting .NET 3.5 or earlier:

public sealed class Singleton
{
    static readonly Singleton instance = new Singleton();

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

    static Singleton() { }
    private Singleton() { }
}

If you're using .NET 4, you can make this even easier for yourself via Lazy<T>:

public sealed class Singleton
{
     private static readonly Lazy<Singleton> instance = new Lazy<Singleton>( () => new Singleton() );
     private Singleton() {}
     public static Singleton Instance { get { return instance.Value; } }
}

The .NET 4 version also has the advantage of being fully lazy - even if your Singleton class has other static methods which are used prior to the access of the "Instance" property. You can do a fully-lazy .NET 3.5- version, as well, by using a private, nested class. Jon Skeet demonstrated this on his blog.

查看更多
登录 后发表回答