如何将参数作为参考传递给MethodInfo.Invoke
?
这是我想要调用的方法:
private static bool test(string str, out byte[] byt)
我试过了但是我失败了:
byte[] rawAsm = new byte[]{};
MethodInfo _lf = asm.GetTypes()[0].GetMethod("test", BindingFlags.Static | BindingFlags.NonPublic);
bool b = (bool)_lf.Invoke(null, new object[]
{
"test",
rawAsm
});
返回的字节为空。
答案 0 :(得分:53)
您需要首先创建参数数组,并保留对它的引用。然后out
参数值将存储在数组中。所以你可以使用:
object[] arguments = new object[] { "test", null };
MethodInfo method = ...;
bool b = (bool) method.Invoke(null, arguments);
byte[] rawAsm = (byte[]) arguments[1];
请注意,您不需要为第二个参数提供值,因为它是out
参数 - 该值将由方法设置。如果它是ref
参数(而不是out
),那么将使用初始值 - 但是数组中的值仍然可以被方法替换。
简短但完整的样本:
using System;
using System.Reflection;
class Test
{
static void Main()
{
object[] arguments = new object[1];
MethodInfo method = typeof(Test).GetMethod("SampleMethod");
method.Invoke(null, arguments);
Console.WriteLine(arguments[0]); // Prints Hello
}
public static void SampleMethod(out string text)
{
text = "Hello";
}
}
答案 1 :(得分:11)
当一个由reflection调用的方法有一个ref
参数时,它将被复制回用作参数列表的数组。因此,要获得复制的返回引用,您只需要查看用作参数的数组。
object[] args = new [] { "test", rawAsm };
bool b = (bool)_lf.Invoke(null, args);
此次通话后,args[1]
会有新的byte[]