Implementing the Singleton Pattern in C#

本文详细介绍了C#中实现单例模式的多种方式,并通过基准测试比较了不同实现方式的性能表现。从最简单的实现到使用.NET 4.0 的 Lazy<T> 类型的完全懒加载实例化,每种方式都附有代码示例,旨在帮助开发者选择最适合其需求的单例模式实现。此外,文章还讨论了如何在单例构造器中处理可能抛出异常的情况,以及如何根据实际需求权衡懒加载与性能之间的关系。

原文来自:http://csharpindepth.com/Articles/General/Singleton.aspx

The singleton pattern is one of the best-known patterns in software engineering.      Essentially, a singleton is a class which only allows a single instance of itself      to be created, and usually gives simple access to that instance. Most commonly,      singletons don't allow any parameters to be specified when creating the instance -      as otherwise a second request for an instance but with a different parameter could      be problematic! (If the same instance should be accessed for all requests with the      same parameter, the factory pattern is more appropriate.) This article deals only with      the situation where no parameters are required. Typically a requirement of singletons      is that they are created lazily - i.e. that the instance isn't created until it is      first needed.   

       There are various different ways of implementing the singleton pattern in C#. I shall      present them here in reverse order of elegance, starting with the most commonly seen,      which is not thread-safe, and working up to a fully lazily-loaded, thread-safe, simple      and highly performant version.   

       All these implementations share four common characteristics, however:   

  •          A single constructor, which is private and parameterless.         This prevents other classes from instantiating it (which would be a violation of the pattern).        Note that it also prevents subclassing - if a singleton can be subclassed once, it can be        subclassed twice, and if each of those subclasses can create an instance, the pattern is        violated. The factory pattern can be used if you need a single instance of a base type,        but the exact type isn't known until runtime.     
  •          The class is sealed. This is unnecessary, strictly speaking, due to the above point,        but may help the JIT to optimise things more.     
  •          A static variable which holds a reference to the single created instance, if any.     
  •          A public static means of getting the reference to the single created instance, creating        one if necessary.     

       Note that all of these implementations also use a public static property Instance       as the means of accessing the instance. In all cases, the property could easily be converted      to a method, with no impact on thread-safety or performance.   

First version - not thread-safe

// Bad code! Do not use!
public sealed class Singleton
{
    private static Singleton instance= null;

    private Singleton()
    {
    }

    public static Singleton Instance
    {
        get
        {
            if (instance== null)
            {
                instance = new Singleton();
            }
            return instance;
        }
    }
}

       As hinted at before, the above is not thread-safe. Two different threads could both      have evaluated the test if (instance==null) and found it to be true,      then both create instances, which violates the singleton pattern. Note that in fact      the instance may already have been created before the expression is evaluated, but      the memory model doesn't guarantee that the new value of instance will be seen by      other threads unless suitable memory barriers have been passed.   

Second version - simple thread-safety

public sealed class Singleton
{
    private static Singleton instance = null;
    private static readonly object padlock = new object();

    Singleton()
    {
    }

    public static Singleton Instance
    {
        get
        {
            lock (padlock)
            {
                if (instance == null)
                {
                    instance = new Singleton();
                }
                return instance;
            }
        }
    }
}

       This implementation is thread-safe. The thread takes out a lock on a shared      object, and then checks whether or not the instance has been created before creating the instance.      This takes care of the memory barrier issue (as locking makes sure that      all reads occur logically after the lock acquire, and unlocking makes sure that all writes occur      logically before the lock release) and ensures that only one thread will create an instance       (as only one thread can be in that part of the code at a time - by the time the second thread       enters it,the first thread will have created the instance, so the expression will evaluate to false).      Unfortunately, performance suffers as a lock is acquired every time the instance is requested.         

       Note that instead of locking on typeof(Singleton) as some versions of this       implementation do, I lock on the value of a static variable which is private to the class.      Locking on objects which other classes can access and lock on (such as the type) risks      performance issues and even deadlocks. This is a general style preference of mine - wherever      possible, only lock on objects specifically created for the purpose of locking, or which      document that they are to be locked on for specific purposes (e.g. for waiting/pulsing a queue).      Usually such objects should be private to the class they are used in. This helps to make      writing thread-safe applications significantly easier.   

Third version - attempted thread-safety using double-check locking

// Bad code! Do not use!
public sealed class Singleton
{
    private static Singleton instance = null;
    private static readonly object padlock = new object();

    Singleton()
    {
    }

    public static Singleton Instance
    {
        get
        {
            if (instance == null)
            {
                lock (padlock)
                {
                    if (instance == null)
                    {
                        instance = new Singleton();
                    }
                }
            }
            return instance;
        }
    }
}

       This implementation attempts to be thread-safe without the necessity of taking out a lock every time.       Unfortunately, there are four downsides to the pattern:   

  •          It doesn't work in Java. This may seem an odd thing to comment on, but it's worth knowing        if you ever need the singleton pattern in Java, and C# programmers may well also be Java        programmers. The Java memory model doesn't ensure that the constructor completes before        the reference to the new object is assigned to instance. The Java memory model underwent        a reworking for version 1.5, but double-check locking is still broken after this without a volatile        variable (as in C#).     
  •          Without any memory barriers, it's broken in the ECMA CLI specification too. It's possible that under the .NET 2.0        memory model (which is stronger than the ECMA spec) it's safe, but I'd rather not rely on those stronger        semantics, especially if there's any doubt as to the safety.         Making the instance variable volatile can make it work, as would explicit memory barrier calls,         although in the latter case even experts can't agree exactly which barriers are required. I tend to try to avoid situations where        experts don't agree what's right and what's wrong!     
  •          It's easy to get wrong. The pattern needs to be pretty much exactly as above - any        significant changes are likely to impact either performance or correctness.     
  •          It still doesn't perform as well as the later implementations.     

Fourth version - not quite as lazy, but thread-safe without using locks

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

    // Explicit static constructor to tell C# compiler
    // not to mark type as beforefieldinit
    static Singleton()
    {
    }

    private Singleton()
    {
    }

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

       As you can see, this is really is extremely simple - but why is it thread-safe and how lazy is it?      Well, static constructors in C# are specified to execute only when an instance of the class is      created or a static member is referenced, and to execute only once per AppDomain. Given that      this check for the type being newly constructed needs to be executed whatever else happens, it      will be faster than adding extra checking as in the previous examples. There are a couple of       wrinkles, however:     

  •            It's not as lazy as the other implementations. In particular, if you have static members          other than Instance, the first reference to those members will involve          creating the instance. This is corrected in the next implementation.       
  •            There are complications if one static constructor invokes another which invokes the          first again. Look in the .NET specifications (currently section 9.5.3 of partition II)           for more details about the exact nature  of type initializers - they're unlikely to bite you,           but it's worth being aware of the consequences of static constructors which refer to each           other in a cycle.       
  •            The laziness of type initializers is only guaranteed by .NET when the type isn't          marked with a special flag called beforefieldinit. Unfortunately,          the C# compiler (as provided in the .NET 1.1 runtime, at least) marks all types          which don't have a static constructor (i.e. a block which looks          like a constructor but is marked static) as beforefieldinit. I now          have an article with more details about          this issue. Also note that it affects performance, as discussed near the bottom          of the page.       

       One shortcut you can take with this implementation (and only this one) is to just make       instance a public static readonly variable, and get rid of the property entirely.      This makes the basic skeleton code absolutely tiny! Many people, however, prefer to have a      property in case further action is needed in future, and JIT inlining is likely to make      the performance identical. (Note that the static constructor itself is still required      if you require laziness.)   

Fifth version - fully lazy instantiation

public sealed class Singleton
{
    private Singleton()
    {
    }

    public static Singleton Instance { get { return Nested.instance; } }
       
    private class Nested
    {
        // Explicit static constructor to tell C# compiler
        // not to mark type as beforefieldinit
        static Nested()
        {
        }

        internal static readonly Singleton instance = new Singleton();
    }
}

       Here, instantiation is triggered by the first reference to the static member of the nested      class, which only occurs in Instance. This means the implementation is fully      lazy, but has all the performance benefits of the previous ones. Note that although nested      classes have access to the enclosing class's private members, the reverse is not true, hence      the need for instance to be internal here. That doesn't raise any other problems,      though, as the class itself is private. The code is a bit more complicated in order to make      the instantiation lazy, however.   

Sixth version - using .NET 4's Lazy<T> type

    If you're using .NET 4 (or higher), you can use the System.Lazy<T>    type to make the laziness really simple. All you need to do is pass a delegate to the constructor    which calls the Singleton constructor - which is done most easily with a lambda expression.   

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()
    {
    }
}

      It's simple and performs well. It also allows you to check whether or not the instance      has been created yet with the IsValueCreated      property, if you need that.    

Performance vs laziness

       In many cases, you won't actually require full laziness - unless your class initialization       does something particularly time-consuming, or has some side-effect elsewhere, it's probably      fine to leave out the explicit static constructor shown above. This can increase performance      as it allows the JIT compiler to make a single check (for instance at the start of a method)      to ensure that the type has been initialized, and then assume it from then on. If your      singleton instance is referenced within a relatively tight loop, this can make a (relatively)      significant  performance difference. You should decide whether or not fully lazy instantiation       is required, and document this decision appropriately within the class. (See below for more on      performance, however.)   

Exceptions

       Sometimes, you need to do work in a singleton constructor which may throw an exception, but       might not be fatal to the whole application. Potentially, your application may be able to      fix the problem and want to try again. Using type initializers to construct the singleton      becomes problematic at this stage. Different runtimes handle this case differently,      but I don't know of any which do the desired thing (running the type initializer again), and      even if one did, your code would be broken on other runtimes. To avoid these problems, I'd       suggest using the second pattern listed on the page - just use a simple lock, and go through       the check each time, building the instance in the method/property if it hasn't already been      successfully built.   

       Thanks to Andriy Tereshchenko for raising this issue.   

A word on performance

       A lot of the reason for this page stemmed from people trying to be clever, and thus coming      up with the double-checked locking algorithm. There is an attitude of locking being expensive      which is common and misguided. I've written a very quick benchmark      which just acquires singleton instances in a loop a billion ways, trying different variants.      It's not terribly scientific, because in real life you may want to know how fast it is if each      iteration actually involved a call into a method fetching the singleton, etc. However, it does      show an important point. On my laptop, the slowest solution (by a factor of about 5) is the locking      one (solution 2). Is that important? Probably not, when you bear in mind that it still managed to      acquire the singleton a billion times in under 40 seconds. (Note: this article was originally written       quite a while ago now - I'd expect better performance now.) That means that if you're "only"      acquiring the singleton four hundred thousand times per second, the cost of the acquisition      is going to be 1% of the performance - so improving it isn't going to do a lot. Now, if you are       acquiring the singleton that often - isn't it likely you're using it within a loop? If you care      that much about improving the performance a little bit, why not declare a local variable outside the loop,      acquire the singleton once and then loop. Bingo, even the slowest implementation becomes easily      adequate.   

       I would be very interested to see a real world application where the difference between using      simple locking and using one of the faster solutions actually made a significant performance difference.   

Conclusion (modified slightly on January 7th 2006; updated Feb 12th 2011)

       There are various different ways of implementing the singleton pattern in C#.      A reader has written to me detailing a way he has encapsulated the synchronization aspect,      which while I acknowledge may be useful in a few very particular situations      (specifically where you want very high performance, and the ability to determine whether or not      the singleton has been created, and full laziness regardless of other static      members being called). I don't personally see that situation coming up often enough      to merit going further with on this page, but please mail       me if you're in that situation.   

       My personal preference is for solution 4: the only time I would normally go away from it      is if I needed to be able to call other static methods without triggering initialization, or      if I needed to know whether or not the singleton has already been instantiated. I don't remember      the last time I was in that situation, assuming I even have. In that case, I'd probably go      for solution 2, which is still nice and easy to get right.   

       Solution 5 is elegant, but trickier than 2 or 4, and as I said above, the benefits it provides      seem to only be rarely useful. Solution 6 is a simpler way to achieve laziness, if you're using .NET 4.      It also has the advantage that it's obviously lazy. I currently tend to still use solution 4,      simply through habit - but if I were working with inexperienced developers I'd quite possibly      go for solution 6 to start with as an easy and universally applicable pattern.   

       (I wouldn't use solution 1 because it's broken, and I wouldn't use solution 3 because it has no       benefits over 5.)   

 

【电力系统】单机无穷大电力系统短路故障暂态稳定Simulink仿真(带说明文档)内容概要:本文档围绕“单机无穷大电力系统短路故障暂态稳定Simulink仿真”展开,提供了完整的仿真模型与说明文档,重点研究电力系统在发生短路故障后的暂态稳定性问题。通过Simulink搭建单机无穷大系统模型,模拟不同类型的短路故障(如三相短路),分析系统在故障期间及切除后的动态响应,包括发电机转子角度、转速、电压和功率等关键参数的变化,进而评估系统的暂态稳定能力。该仿真有助于理解电力系统稳定性机理,掌握暂态过程分析方法。; 适合人群:电气工程及相关专业的本科生、研究生,以及从事电力系统分析、运行与控制工作的科研人员和工程师。; 使用场景及目标:①学习电力系统暂态稳定的基本概念与分析方法;②掌握利用Simulink进行电力系统建模与仿真的技能;③研究短路故障对系统稳定性的影响及提高稳定性的措施(如故障清除时间优化);④辅助课程设计、毕业设计或科研项目中的系统仿真验证。; 阅读建议:建议结合电力系统稳定性理论知识进行学习,先理解仿真模型各模块的功能与参数设置,再运行仿真并仔细分析输出结果,尝试改变故障类型或系统参数以观察其对稳定性的影响,从而深化对暂态稳定问题的理解。
本研究聚焦于运用MATLAB平台,将支持向量机(SVM)应用于数据预测任务,并引入粒子群优化(PSO)算法对模型的关键参数进行自动调优。该研究属于机器学习领域的典型实践,其核心在于利用SVM构建分类模型,同时借助PSO的全局搜索能力,高效确定SVM的最优超参数配置,从而显著增强模型的整体预测效能。 支持向量机作为一种经典的监督学习方法,其基本原理是通过在高维特征空间中构造一个具有最大间隔的决策边界,以实现对样本数据的分类或回归分析。该算法擅长处理小规模样本集、非线性关系以及高维度特征识别问题,其有效性源于通过核函数将原始数据映射至更高维的空间,使得原本复杂的分类问题变得线性可分。 粒子群优化算法是一种模拟鸟群社会行为的群体智能优化技术。在该算法框架下,每个潜在解被视作一个“粒子”,粒子群在解空间中协同搜索,通过不断迭代更新自身速度与位置,并参考个体历史最优解和群体全局最优解的信息,逐步逼近问题的最优解。在本应用中,PSO被专门用于搜寻SVM中影响模型性能的两个关键参数——正则化参数C与核函数参数γ的最优组合。 项目所提供的实现代码涵盖了从数据加载、预处理(如标准化处理)、基础SVM模型构建到PSO优化流程的完整步骤。优化过程会针对不同的核函数(例如线性核、多项式核及径向基函数核等)进行参数寻优,并系统评估优化前后模型性能的差异。性能对比通常基于准确率、精确率、召回率及F1分数等多项分类指标展开,从而定量验证PSO算法在提升SVM模型分类能力方面的实际效果。 本研究通过一个具体的MATLAB实现案例,旨在演示如何将全局优化算法与机器学习模型相结合,以解决模型参数选择这一关键问题。通过此实践,研究者不仅能够深入理解SVM的工作原理,还能掌握利用智能优化技术提升模型泛化性能的有效方法,这对于机器学习在实际问题中的应用具有重要的参考价值。 资源来源于网络分享,仅用于学习交流使用,请勿用于商业,如有侵权请联系我删除!
评论
成就一亿技术人!
拼手气红包6.0元
还能输入1000个字符
 
红包 添加红包
表情包 插入表情
 条评论被折叠 查看
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值