我正在学习C#,目前处于后期章节。我为测试编写了以下内容,但它生成了 MissingMethodException 。我加载了一个自定义私有DLL并成功调用了一个方法然后我尝试使用GAC DLL执行相同的操作但是我失败了。
我不知道以下代码有什么问题:
//Load the assembly
Assembly dll = Assembly.Load(@"System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 ");
//Get the MessageBox type
Type msBox = dll.GetType("System.Windows.Forms.MessageBox");
//Make an instance of it
object msb = Activator.CreateInstance(msBox);
//Finally invoke the Show method
msBox.GetMethod("Show").Invoke(msb, new object[] { "Hi", "Message" });
答案 0 :(得分:2)
你在这一行得到MissingMethodException
:
object msb = Activator.CreateInstance(msBox);
因为MessageBox
类上没有公共构造函数。这个类应该通过它的静态方法使用:
MessageBox.Show("Hi", "Message");
要通过反射调用静态方法,您可以将null
作为第一个参数传递给Invoke
方法,如下所示:
//Load the assembly
Assembly dll =
Assembly.Load(
@"System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 ");
//Get the MessageBox type
Type msBox = dll.GetType("System.Windows.Forms.MessageBox");
//Finally invoke the Show method
msBox
.GetMethod(
"Show",
//We need to find the method that takes two string parameters
new [] {typeof(string), typeof(string)})
.Invoke(
null, //For static methods
new object[] { "Hi", "Message" });