带有参数的对象的Singleton类

本文关键字:Singleton 对象 参数 | 更新日期: 2023-09-27 18:27:38

我意识到一次应该只运行一个名为StdSchedulerFactory的对象实例。到目前为止,我实例化了像这样的对象

StdSchedulerFactory sf = new StdSchedulerFactory(properties);

并且属性NameValueCollection。如何为该对象编写Singleton类,以便变量sf在整个程序中始终有一个实例?

带有参数的对象的Singleton类

Singleton模式的一部分通常是私有构造函数,因此其他类不能创建新实例。

对于来自类外的参数,解决方法是添加"Init"或"Configure"函数:

public static void Configure(NameValueCollection properties)
{
}

当然,如果你忘记调用这个函数,你可能会得到你不想要的行为;因此,您可能需要设置一个"Configured"标志或类似的标志,以便在尚未调用此函数时,您的其他函数可以做出适当的反应。

这里是一个基本的Singleton实现。它不是线程安全的。

public sealed class StdSchedulerFactory
{
   private static readonly StdSchedulerFactory instance;
   private NameValueCollection _properties;
   private StdSchedulerFactory(NameValueCollection properties)
   {
       _properties = properties;
   }
   public static StdSchedulerFactory GetInstance(NameValueCollection properties)
   {
      if (instance == null)
      {
         instance = new StdSchedulerFactory(properties);
      }
      else
      {
         return instance;
      }
   }
}

这是我最喜欢的两种实现简单单例模式的方法。第二个在调试时更容易:)

public sealed class SingletonOne
{
    private static readonly Lazy<SingletonOne> instance = new Lazy<SingletonOne>(() => new SingletonOne());
    private Lazy<Controller> controller = new Lazy<Controller>(() => new Controller(properties));
    private static object properties = null;
    public static SingletonOne Instance { get { return instance.Value; } }
    public Controller GetController(object properties)
    {
        SingletonOne.properties = properties;
        return this.controller.Value;
    }
}
public sealed class SingletonTwo
{
    private static readonly SingletonTwo instance = new SingletonTwo();
    private Controller controller;
    private static object properties = null;
    public static SingletonTwo Instance
    { 
        get 
        { 
            return SingletonTwo.instance; 
        } 
    }
    public Controller GetController(object properties)
    {
        SingletonTwo.properties = properties;
        if(this.controller == null)
        {
            this.controller = new Controller(SingletonTwo.properties);
        }
        return this.controller;
    }
}
public class Controller 
{
    public Controller(object properties) { }
}