我试图检测是否在点网实例方法中访问了this
指针。可以是对实例方法的调用,对成员变量的访问等。
目前正在深入研究反思:MethodBase.GetMethodBody
如果我可以从IL中找到它。
答案 0 :(得分:2)
// using Mono.Reflection;
public static bool ContainsThis(MethodBase method)
{
if (method.IsStatic)
{
return false;
}
IList<Instruction> instructions = method.GetInstructions();
return instructions.Any(x => x.OpCode == OpCodes.Ldarg_0);
}
使用示例:
public class Foo
{
private int bar;
public int Bar
{
get { return bar; }
set { }
}
public void CouldBeStatic()
{
Console.WriteLine("Hello world");
}
public void UsesThis(int p1, int p2, int p3, int p4, int p5)
{
Console.WriteLine(Bar);
Console.WriteLine(p5);
}
}
MethodBase m1 = typeof(Foo).GetMethod("CouldBeStatic");
MethodBase m2 = typeof(Foo).GetMethod("UsesThis");
MethodBase p1 = typeof(Foo).GetProperty("Bar").GetGetMethod();
MethodBase p2 = typeof(Foo).GetProperty("Bar").GetSetMethod();
bool r1 = ContainsThis(m1); // false
bool r2 = ContainsThis(m2); // true
bool r3 = ContainsThis(p1); // true
bool r4 = ContainsThis(p2); // false
请记住using Mono.Reflection
。
啊......它是如何运作的...... this
是一个隐藏的&#34;参数,第一个。要在IL代码中加载一个参数,请使用ldarg_#
,其中#
是参数编号。因此,在实例方法中,ldarg_0
将this
加载到堆栈中。