我设置了一个依赖于使用接口的小插件系统。但我发现接口无法序列化,我的整个保存系统依赖于序列化文件,这些文件将包含这些插件。
所以我决定将接口交换为抽象类。哪个工作正常。但似乎我目前的解决方案需要一个界面。
程序集的类型仅显示null和Resources。所以我只是猜测以这种方式加载程序集不能用抽象类来完成?有没有办法不使用接口呢?
public List<EnginePluginBase> GetEnginePlugins(string directory)
{
if (string.IsNullOrEmpty(directory))
return null;
List<EnginePluginBase> plugins = new List<EnginePluginBase>();
foreach (FileInfo file in new DirectoryInfo(directory).GetFiles("*.dll"))
{
Assembly currentAssembly = Assembly.LoadFile(file.FullName);
foreach (Type type in GetTypesLoaded(currentAssembly))
{
if (type != typeof(EnginePluginBase))
continue;
EnginePluginBase plugin = (EnginePluginBase)Activator.CreateInstance(type);
plugins.Add(plugin);
}
}
return plugins;
}
private Type[] GetTypesLoaded(Assembly assembly)
{
Type[] types;
try
{
types = assembly.GetTypes();
}
catch (ReflectionTypeLoadException e)
{
types = e.Types.Where(t => t != null).ToArray();
}
return types;
}
答案 0 :(得分:1)
将type !=typeof(EnginePluginBase)
更改为type.BaseType !=typeof(EnginePluginBase)
作为基类也不确定此方法是什么GetTypesLoaded
。
这里是我使用的代码,对我来说,我觉得应该适合你。
Assembly asm = null;
asm = Assembly.LoadFrom(strProtocolDll);
Type[] assemblyTypes = asm.GetTypes();
foreach (Type module in assemblyTypes)
{
if (typeof(ProtocolBase) == module.BaseType)
{
return (ProtocolBase)Activator.CreateInstance(module);
}
}
答案 1 :(得分:1)
您的GetTypesLoaded看起来似乎过于宽容,但有异常:
如果加载类型有异常,则需要了解原因。
尝试检查你得到的异常(e.LoaderExceptions
是一个很好的候选人)
正如我在评论中所说,修改您要查找的类型的检查: 改变
if (type != typeof(EnginePluginBase))
continue;
到
if (! typeof(EnginePluginBase).IsAssignableFrom(type))
continue;
这应该适用于抽象基类(EnginePluginBase
)或接口(例如IEnginePlugin
)
此外,它适用于不直接从EnginePluginBase
继承的类型 - 即从继承自EnginePluginBase
的另一个类继承的类(或实现IEnginePlugin
)