我正在尝试动态加载一些.dll文件。文件是插件(现在自编),至少有一个实现MyInterface
的类。对于每个文件,我正在执行以下操作:
Dictionary<MyInterface, bool> _myList;
// ...code
Assembly assembly = Assembly.LoadFrom(currentFile.FullName);
foreach (Type type in assembly.GetTypes())
{
var myI = type.GetInterface("MyInterface");
if(myI != null)
{
if ((myI.Name == "MyInterface") && !type.IsAbstract)
{
var p = Activator.CreateInstance(type);
_myList.Add((MyInterface)p, true);
}
}
}
运行此操作会导致强制转换异常,但我无法找到解决方法。无论如何,我想知道为什么这根本不起作用。我正在寻找.NET Framework 3.5中的解决方案。
发生在我身上的另一件事是,在上面的代码中向null
添加新条目之前运行以下内容后,在p
中获取_myList
:
var p = type.InvokeMember(null, BindingFlags.CreateInstance, null,
null, null) as MyInterface;
此代码是第一次加载插件的尝试,我没有找到p
为什么null
的原因。
我希望有人能以正确的方式引导我:)
答案 0 :(得分:5)
有更简单的方法可以检查您的类型是否可以投放到您的界面。
Assembly assembly = Assembly.LoadFrom(currentFile.FullName);
foreach (Type type in assembly.GetTypes())
{
if(!typeof(MyInterface).IsAssignableFrom(type))
continue;
var p = Activator.CreateInstance(type);
_myList.Add((MyInterface)p, true);
}
如果IsAssignableFrom
为false,则表示您的继承存在问题,这很可能是导致错误的原因。
答案 1 :(得分:4)
你应该真正阅读Jon Skeet的Plug-ins and cast exceptions,它解释了你看到的行为以及如何正确地进行插件框架。
答案 2 :(得分:1)
请查看以下代码。我认为Type.IsAssignableFrom(Type type)可以在这种情况下帮助你。
Assembly assembly = Assembly.LoadFrom(currentFile.FullName);
///Get all the types defined in selected file
Type[] types = assembly.GetTypes();
///check if we have a compatible type defined in chosen file?
Type compatibleType = types.SingleOrDefault(x => typeof(MyInterface).IsAssignableFrom(x));
if (compatibleType != null)
{
///if the compatible type exists then we can proceed and create an instance of a platform
found = true;
//create an instance here
MyInterface obj = (ALPlatform)AreateInstance(compatibleType);
}