我试图学习如何将DLL动态加载到C#程序中。这个想法是DLL将包含一个接口和几个不同的接口实现,这样如果我想添加新的实现,我不必重新编译我的整个项目。
所以我创建了这个测试。这是我的DLL文件:
namespace TestDLL
{
public interface Action
{
void DoAction();
}
public class PrintString : Action
{
public void DoAction()
{
Console.WriteLine("Hello World!");
}
}
public class PrintInt : Action
{
public void DoAction()
{
Console.WriteLine("Hello 1!");
}
}
}
在我的主程序中,我试图做这样的事情:
static void Main(string[] args)
{
List<Action> actions = new List<Action>();
Assembly myDll = Assembly.LoadFrom("TestDLL.dll");
Type[] types = myDll.GetExportedTypes();
for (int i = 0; i < types.Length; i++)
{
Type type = types[i];
if (type.GetInterface("TestDLL.Action") != null && type != null)
{
Action new_action = myDll.CreateInstance(type.FullName) as Action;
if (new_action != null)
actions.Add(new_action);
else
Console.WriteLine("New Action is NULL");
}
}
foreach (Action action in actions)
action.DoAction();
}
我遇到的问题是,即使
type.FullName
包含正确的值(“TestDLL.PrintString”等),
行
myDll.CreateInstance(type.FullName) as Action
始终返回null。
我不确定问题是什么,或者我如何解决它。
在示例中,我希望能够向DLL添加Action的新实现,并让主程序在每个实现上调用DoAction(),而无需重新编译原始程序。希望这是有道理的!
答案 0 :(得分:2)
您的Action
很可能是在主要和“其他”程序集中定义的,并且您正在转错。
通常,共享接口在单独的程序集(“SDK”)中定义,并从主应用程序和插件程序集链接。通过源共享接口不起作用,因为类的标识包括程序集名称和类型名称。
有关详细信息,请参阅:Cannot get types by custom attributes across assemblies
答案 1 :(得分:1)
通过您的主要实施,您最好这样做
List<object> actions = new List<object>();
Assembly myDll = Assembly.LoadFrom("TestDLL.dll");
Type[] types = myDll.GetTypes();
for (int i = 0; i < types.Length; i++)
{
Type type = myDll.GetType(types[i].FullName);
if (type.GetInterface("TestDLL.Action") != null)
{
object obj = Activator.CreateInstance(type);
if (obj != null)
actions.Add(obj);
}
}
foreach (var action in actions)
{
MethodInfo mi = action.GetType().GetMethod("DoAction");
mi.Invoke(action, null);
}
你应该把它包装在try / catch块中。
当你编写Action(因为你没有对程序集的引用设置)时,就像在List<Action>
中一样,这个Action引用了 Action委托。