3

好的,所以我在使用 .Net 4.5 的 C# WPF 应用程序中使用 Caliburn Micro 和 Mef2。我想知道是否有任何方法可以在单独的 dll 中配置 Mef2 的注册,然后在我的主 dll 中使用它们。基本上,dll 将配置自己的导入和导出。

就像是:

RegistrationBuilder builder = new RegistrationBuilder();

        builder.ForTypesDerivedFrom<IShell>().Export<IShell>().SetCreationPolicy(CreationPolicy.Shared);
        builder.ForTypesDerivedFrom<IFindProducts>().Export<IFindProducts>().SetCreationPolicy(CreationPolicy.Shared);
        builder.ForTypesMatching(t => t.Name.EndsWith("ViewModel")).Export().SetCreationPolicy(CreationPolicy.NonShared);

        return builder;

在每个 dll 中,但我坚持将所有注册合并到一个 RegistrationBuilder 中,然后传递到每个目录中。

4

1 回答 1

4

一种方法是将 RegistrationBuilder 传递给每个程序集以进行更新。这可以通过添加如下接口来完成:

public interface IRegistrationUpdater
{
    void Update(RegistrationBuilder registrationBuilder);
}

在合同大会中。这将被所有需要注册 MEF2 约定的程序集引用。例如:

public class RegistrationUpdater: IRegistrationUpdater
{
    public void Update(RegistrationBuilder registrationBuilder)
    {
        if (registrationBuilder == null) throw new ArgumentNullException("registrationBuilder");

        registrationBuilder.ForType<SomeType>().ImportProperty<IAnotherType>(st => st.SomeProperty).Export<ISomeType>();
        registrationBuilder.ForType<AnotherType>().Export<IAnotherType>();
    }
}

随着SomeType实施ISomeTypeAnotherType实施IAnotherTypeIAnotherType不需要零件。ISomeType需要IAnotherType一部分。

然后在您的主程序中,您需要使用以下内容找到可用的 IRegistrationUpdaters:

static IEnumerable<IRegistrationUpdater> GetUpdaters()
{            
    var registrationBuilder = new RegistrationBuilder();
    registrationBuilder.ForTypesDerivedFrom<IRegistrationUpdater>().Export<IRegistrationUpdater>();
    using (var catalog = new DirectoryCatalog(".", registrationBuilder))
    using (var container = new CompositionContainer(catalog))
    {
        return container.GetExportedValues<IRegistrationUpdater>();
    }  
}

然后可以使用它来遍历每个更新程序并调用IRegistrationUpdater.Update(RegistrationBuilder).

var mainRegistrationBuilder = new RegistrationBuilder();
foreach (var updater in GetUpdaters())
{
    updater.Update(mainRegistrationBuilder);
}

var mainCatalog = new DirectoryCatalog(".", mainRegistrationBuilder);
var mainContainer = new CompositionContainer(mainCatalog);

var s = mainContainer.GetExportedValue<ISomeType>();
于 2013-03-29T15:26:12.523 回答