我正在尝试使用插件和MEF设计可扩展的GUI应用程序。

现在很多事情似乎都按计划进行。但是,在某些情况下,我将有一个错误的DLL,它不符合我设计的合同。我希望能够告诉MEF忽略错误的DLL,并将其他所有内容保留在该目录中。有什么方法可以做到这一点(最好不要删除错误的DLL)?

我已经读了一些书,注意到调用dirCatalog.Parts.ToArray()将帮助我更早地捕获由于添加了错误的DLL而引发的ReflectionTypeLoadException,以便我有时间来处理它(在将其添加到容器之前)。尽管这对调试目的有所帮助,但我不想由于一个错误的DLL而使程序崩溃且不加载整个目录。

这是我想出的一些(未完成的)代码。

private void appendToCatalog(DirectoryInfo rootDirInfo)
{
    if (rootDirInfo.Exists)
    {
        DirectoryCatalog dirCatalog = new DirectoryCatalog(rootDirInfo.FullName, Constants.Strings.PLUGIN_EXTENSION);

        try
        {
            // detect a problem with the catalog
            dirCatalog.Parts.ToArray();
        }
        catch (ReflectionTypeLoadException ex)
        {
            // try to remove bad plugins
            filterBadPlugins(dirCatalog);
        }

        catalog.Catalogs.Add(dirCatalog);
    }
}

private void filterBadPlugins(DirectoryCatalog dirCatalog)
{
    foreach (var part in dirCatalog.Parts)
    {
        // This should narrow down the problem to a single part
        Type t = part.GetType();
        // need to remove the part here somehow
    }
}

最佳答案

最终,这是我的解决方案。这不是理想的方法,但是它似乎可以工作。我将过滤方法与append方法串联在一起。

private void appendToCatalog(DirectoryTreeNode node)
{
    DirectoryInfo info = node.Info;
    FileInfo[] dlls = info.GetFiles("*.dll");

    foreach (FileInfo fileInfo in dlls)
    {
        try
        {
            var ac = new AssemblyCatalog(Assembly.LoadFile(fileInfo.FullName));
            ac.Parts.ToArray(); // throws exception if DLL is bad
            catalog.Catalogs.Add(ac);
        }
        catch
        {
            // some error handling of your choice
        }
    }
}

10-07 23:00