在软件开发中,经常会遇到需要在运行时动态调用对象方法的情况。通常情况下,可能会使用反射(Reflecting)来实现这一功能。然而,频繁使用反射可能会导致性能问题,因为它相对较慢。本文将介绍一种替代方法,即使用Emit来生成DynamicMethod,从而在运行时动态调用方法,以期提高性能。
在阅读了一篇关于快速动态属性访问的文章后,想到了项目中有很多循环中的反射方法。但这些是方法而不是属性。DynamicMethod的概念提醒了,也许可以使用Emit来生成一个DynamicMethod,在调用特殊方法之前进行绑定。希望这能提高性能。
首先,通过反射获取了将要调用的方法:
MethodInfo methodInfo = typeof(Person).GetMethod("Say");
然后,获取了MethodInvoker来调用它:
FastInvokeHandler fastInvoker = GetMethodInvoker(methodInfo);
fastInvoker(new Person(), new object[]{"hello"});
而不是过去使用反射方法调用:
methodInfo.Invoke(new Person(), new object[]{"hello"});
首先,需要定义一个委托来适应动态方法:
public delegate object FastInvokeHandler(object target, object[] parameters);
它看起来与MethodInfo类的Invoke方法相同。是的,这意味着可以像过去一样编写相同的代码来使用它。
这段代码生成了DynamicMethod:
public static FastInvokeHandler GetMethodInvoker(MethodInfo methodInfo)
{
DynamicMethod dynamicMethod = new DynamicMethod(
string.Empty,
typeof(object),
new Type[] { typeof(object), typeof(object[]) },
methodInfo.DeclaringType.Module);
ILGenerator il = dynamicMethod.GetILGenerator();
ParameterInfo[] ps = methodInfo.GetParameters();
Type[] paramTypes = new Type[ps.Length];
for (int i = 0; i < paramTypes.Length; i++)
{
paramTypes[i] = ps[i].ParameterType;
}
LocalBuilder[] locals = new LocalBuilder[paramTypes.Length];
for (int i = 0; i < paramTypes.Length; i++)
{
locals[i] = il.DeclareLocal(paramTypes[i]);
}
for (int i = 0; i < paramTypes.Length; i++)
{
il.Emit(OpCodes.Ldarg_1);
EmitFastInt(il, i);
il.Emit(OpCodes.Ldelem_Ref);
EmitCastToReference(il, paramTypes[i]);
il.Emit(OpCodes.Stloc, locals[i]);
}
il.Emit(OpCodes.Ldarg_0);
for (int i = 0; i < paramTypes.Length; i++)
{
il.Emit(OpCodes.Ldloc, locals[i]);
}
il.EmitCall(OpCodes.Call, methodInfo, null);
if (methodInfo.ReturnType == typeof(void))
il.Emit(OpCodes.Ldnull);
else
EmitBoxIfNeeded(il, methodInfo.ReturnType);
il.Emit(OpCodes.Ret);
FastInvokeHandler invoker = (FastInvokeHandler)dynamicMethod.CreateDelegate(
typeof(FastInvokeHandler));
return invoker;
}
认为这是一种通用的方法,可以用来替代大多数反射方法,大约可以提高50倍的性能。欢迎任何改进建议。
如果代码中发生异常,FastInvoker会抛出原始异常,而Method.Invoke会抛出TargetInvocationException。