我对Singleton Pattern和MEF有疑问。我是实施MEF插件的新手,我还没有找到答案。
是否可以通过MEF实现的插件只提供一个类的实例?
我的老班是这样的:
#region Singleton
///
/// This class provide a generic and thread-safe interface for Singleton classes.
///
/// The specialized singleton which is derived
/// from SingletonBase<T>
public abstract class Base where T : Base
{
/* the lock object */
private static object _lock = new object();
/* the static instance */
private static T _instance = null;
///
/// Get the unique instance of .
/// This property is thread-safe!
///
public static T Instance
{
get
{
if (_instance == null)
{
lock (_lock)
{
if (_instance == null)
{
/* Create a object without to use new (where you need a public ctor) */
object obj = FormatterServices.GetUninitializedObject(typeof(T));
if (obj != null) // just 4 safety, but i think obj == null shouldn't be possible
{
/* an extra test of the correct type is redundant,
* because we have an uninitialised object of type == typeof(T) */
_instance = obj as T;
_instance.Init(); // now the singleton will be initialized
}
}
}
}
else
{
_instance.Refresh(); // has only effect if overridden in sub class
}
return _instance;
}
}
///
/// Called while instantiation of singleton sub-class.
/// This could be used to set some default stuff in the singleton.
///
protected virtual void Init()
{ }
///
/// If overridden this will called on every request of the Instance but
/// the instance was already created. Refresh will not called during
/// the first instantiation, for this will call Init.
///
protected virtual void Refresh()
{ }
}
#endregion
#region class
public class xy : Base
{
private bool run;
public xy()
{
this.run = false;
}
public bool isRunning()
{
return this.run;
}
public void start()
{
// Do some stuff
this.run = true;
}
}
#endregion
有人能为我提供一个例子吗?
答案 0 :(得分:19)
是的,可以这样做。
默认情况下,MEF在填充导入时始终返回相同的类实例。所以从技术上讲,如果你想让它成为一个单身人士,你就不需要做任何事情。这就是MEF所谓的共享创建策略。
如果您不希望导入来自同一个实例,则需要在属性中指定它:
[Import(RequiredCreationPolicy = CreationPolicy.NonShared)]
public MyClass : IMyInterface
或者您可以覆盖自己的CompositionContainer,以便默认情况下创建NonShared实例。
请注意,您还可以明确指定您需要共享创建策略(单例):
[Import(RequiredCreationPolicy = CreationPolicy.Shared)]
public MyClass : IMyInterface
{
public MyClass() { } // you can have a public ctor, no need to implement the singleton pattern
}
但是没有必要,因为共享(单身)已经是默认值。
这是MEF文档的链接:http://mef.codeplex.com/wikipage?title=Parts%20Lifetime,它解释了我刚才谈到的内容。您还可以通过搜索“MEF创建政策”找到有关该主题的博客。
答案 1 :(得分:0)
非常糟糕的做法!使用静态构造函数: 保证只执行一次
请注意,对于您创建的每个T
,CLR将复制新T
的静态数据。
所以你要创建一个你使用的T
类型的单例。
单身人士的最佳方式是:
public class Logger {
public static readonly Logger Instace;
static Logger() {
Instace = new Logger();
}
}