我正在尝试将Type.InvokeMember(String, BindingFlags, Binder, Object, array [])与默认活页夹一起使用。
对象数组中目标方法的参数之一是设置为null的引用类型。我想要调用的方法实例化引用类型,以便我可以继续使用它。例如:
using System;
namespace ConsoleApplication6
{
class A
{
public void GetReferenceType(object o)
{
o = new object();
}
}
class Program
{
static void Main(string[] args)
{
object o = null;
A a = new A();
Type t = typeof(A);
t.InvokeMember("GetReferenceType", System.Reflection.BindingFlags.InvokeMethod, null, a, new object[] { o });
if (o == null)
{
throw new NullReferenceException();
}
else
{
//do something with o;
}
}
}
}
解决方法是给
A
一个属性,并通过该属性访问o。是否有另一种方法可以不更改
A
而进行操作? 最佳答案
好的,您需要在此处进行两项更改:
将您的GetReferenceType
参数设置为ref
:
public void GetReferenceType(ref object o)
您必须执行此操作,因为当前您的方法对外界是禁止的。您应该阅读我的article on parameter handling in C#。
使用
InvokeMember
之后的数组中的值代替原始引用:A a = new A();
Type t = typeof(A);
object[] args = new object[] { null };
t.InvokeMember("GetReferenceType", BindingFlags.InvokeMethod,
null, a, args);
object o = args[0];
当您创建数组时使用
new object[] { o }
只是将o
的值复制到数组中-它不会将该数组元素与o
变量关联。更好的解决方案是使
GetReferenceType
返回新值,但是...在out
方法中使用ref
或void
参数很少是一个好主意。关于c# - Type.InvokeMember和引用类型,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/3280851/