我在.Net 4.0中使用MEF为我节省了大量的抽象工厂代码和配置gubbins。无法移动到.net 4.5,因为它未部署。
课程
/// <summary>
/// Factory relies upon the use of the .net 4.0 MEF framework
/// All processors need to export themselves to make themselves visible to the 'Processors' import property auto MEF population
/// This class is implemented as a singleton
/// </summary>
public class MessageProsessorFactory
{
private static readonly string pluginFilenameFilter = "Connectors.*.dll";
private static CompositionContainer _container;
private static MessageProsessorFactory _instance;
private static object MessageProsessorFactoryLock = new object();
/// <summary>
/// Initializes the <see cref="MessageProsessorFactory" /> class.
/// Loads all MEF imports
/// </summary>
/// <exception cref="System.NotSupportedException"></exception>
private MessageProsessorFactory()
{
lock (MessageProsessorFactoryLock)
{
if (_container == null)
{
RemoveDllSecurityZoneRestrictions();
//Create a thread safe composition container
_container = new CompositionContainer(new DirectoryCatalog(".", pluginFilenameFilter), true, null);
_container.ComposeParts(this);
}
}
}
/// <summary>
/// A list of detected class instances that support IMessageProcessor
/// </summary>
[ImportMany(typeof(IMessageProcessor), RequiredCreationPolicy = CreationPolicy.NonShared)]
private List<Lazy<IMessageProcessor, IMessageProccessorExportMetadata>> Processors { get; set; }
/// <summary>
/// Gets the message factory.
/// </summary>
/// <param name="messageEnvelope">The message envelope.</param>
/// <returns><see cref="IMessageProcessor"/></returns>
/// <exception cref="System.NotSupportedException">The supplied target is not supported: + target</exception>
public static IMessageProcessor GetMessageProcessor(MessageEnvelope messageEnvelope)
{
if (_instance == null)
_instance = new MessageProsessorFactory();
var p = _instance.Processors.FirstOrDefault(
s => s.Metadata.ExpectedType.AssemblyQualifiedName == messageEnvelope.AssemblyQualifiedName);
if (p == null)
throw new NotSupportedException(
"The supplied type is not supported: " + messageEnvelope.AssemblyQualifiedName);
return p.Value;
}
/// <summary>
/// Removes any zone flags otherwise MEF wont load files with
/// a URL zone flag set to anything other than 'MyComputer', we are trusting all pluggins here.
/// http://msdn.microsoft.com/en-us/library/ms537183(v=vs.85).aspx
/// </summary>
private static void RemoveDllSecurityZoneRestrictions()
{
string path = System.IO.Path.GetDirectoryName(
System.Reflection.Assembly.GetExecutingAssembly().Location);
foreach (var filePath in Directory.EnumerateFiles(path, pluginFilenameFilter))
{
var zone = Zone.CreateFromUrl(filePath);
if (zone.SecurityZone != SecurityZone.MyComputer)
{
var fileInfo = new FileInfo(filePath);
fileInfo.DeleteAlternateDataStream("Zone.Identifier");
}
}
}
}
调用_container.ComposeParts(this);
后,将使用找到的所有IMessageProcessor实现填充Processors。大。
备注
导出属性
[MetadataAttribute]
[AttributeUsage(AttributeTargets.Class, AllowMultiple = false)]
public class MessageProccessorExportAttribute : ExportAttribute
{
public MessageProccessorExportAttribute()
: base(typeof(IMessageProcessor))
{
}
public Type ExpectedType { get; set; }
}
我的问题是我在每个地方读到每个导入的实例都是Singleton,无论其激活策略是什么,当它通过Lazy&lt;&gt;构建时。参考
因此,我们不能允许从GetMessageProcessor返回MEF中的实例,因为多个线程将获得相同的实例,这是不合需要的。唉唉! 我想知道以下'解决'是最好的方法还是我的MEF坚持概念错了。
我的解决方法是将看似毫无意义的RequiredCreationPolicy = CreationPolicy.NonShared
属性设置更改为CreationPolicy.Shared
。
然后更改函数GetMessageProcessor以手动创建新实例,从MEF中分离出来。使用MEF共享实例prulry作为类型列表。
IMessageProcessor newInstance = (IMessageProcessor)Activator.CreateInstance(p.Value.GetType());
完整的方法;
public static IMessageProcessor GetMessageProcessor(MessageEnvelope messageEnvelope)
{
if (_instance == null)
_instance = new MessageProsessorFactory();
var p = _instance.Processors.FirstOrDefault(
s => s.Metadata.ExpectedType.AssemblyQualifiedName == messageEnvelope.AssemblyQualifiedName);
if (p == null)
throw new NotSupportedException(
"The supplied type is not supported: " + messageEnvelope.AssemblyQualifiedName);
// we need to create a new instance from the singleton instance provided by MEF to assure we get a instance un-associated with the MEF container for
// currently as of .net 4.0 it wants to keep references on objects which may impact memory consumption.
// As we have no control over how a developer will organise there class that exposes an Export,
// this could lead to multithreading issues as an imported lazy instance is a singleton regardless
// of the RequiredCreationPolicy.
// MEF is still invaluable in avoided a tone of abstract factory code and its dynamic detection of all supporting
// Exports conforming to IMessageProcessor means there is no factory config for us to maintain.
IMessageProcessor newInstance = (IMessageProcessor)Activator.CreateInstance(p.Value.GetType());
return newInstance;
}
答案 0 :(得分:2)
这样的事情应该有效:
public class MessageProsessorFactory
{
private const string pluginFilenameFilter = "Connectors.*.dll";
private static readonly Lazy<CompositionContainer> _container
= new Lazy<CompositionContainer>(CreateContainer, true);
private static CompositionContainer CreateContainer()
{
RemoveDllSecurityZoneRestrictions();
var catalog = new DirectoryCatalog(".", pluginFilenameFilter);
return new CompositionContainer(catalog, true, null);
}
public static IMessageProcessor GetMessageProcessor(MessageEnvelope messageEnvelope)
{
var processors = _container.Value.GetExports<IMessageProcessor, IMessageProccessorExportMetadata>();
var p = processors.FirstOrDefault(s => s.Metadata.ExpectedType.AssemblyQualifiedName == messageEnvelope.AssemblyQualifiedName);
if (p == null) throw new NotSupportedException("The supplied type is not supported: " + messageEnvelope.AssemblyQualifiedName);
return p.Value;
}
private static void RemoveDllSecurityZoneRestrictions()
{
// As before.
// PS: Nice to see someone found a use for my code! :)
// http://www.codeproject.com/Articles/2670/Accessing-alternative-data-streams-of-files-on-an
...
}
}