我有这样的代码来发出加载整数或字符串值的IL代码.但我不知道如何添加小数类型. Emit方法不支持它.对此有何解决方案?
ILGenerator ilGen = methodBuilder.GetILGenerator(); if (type == typeof(int)) { ilGen.Emit(OpCodes.Ldc_I4,Convert.ToInt32(value,CultureInfo.InvariantCulture)); } else if (type == typeof(double)) { ilGen.Emit(OpCodes.Ldc_R8,Convert.ToDouble(value,CultureInfo.InvariantCulture)); } else if (type == typeof(string)) { ilGen.Emit(OpCodes.Ldstr,Convert.ToString(value,CultureInfo.InvariantCulture)); }
不工作:@H_301_5@
else if (type == typeof(decimal)) { ilGen.Emit(OpCodes.Ld_???,Convert.ToDecimal(value,CultureInfo.InvariantCulture)); }
编辑:好的,所以这就是我做的:@H_301_5@
else if (type == typeof(decimal)) { decimal d = Convert.ToDecimal(value,CultureInfo.InvariantCulture); // Source: https://msdn.microsoft.com/en-us/library/bb1c1a6x.aspx var bits = decimal.GetBits(d); bool sign = (bits[3] & 0x80000000) != 0; byte scale = (byte)((bits[3] >> 16) & 0x7f); ilGen.Emit(OpCodes.Ldc_I4,bits[0]); ilGen.Emit(OpCodes.Ldc_I4,bits[1]); ilGen.Emit(OpCodes.Ldc_I4,bits[2]); ilGen.Emit(sign ? OpCodes.Ldc_I4_1 : OpCodes.Ldc_I4_0); ilGen.Emit(OpCodes.Ldc_I4,scale); var ctor = typeof(decimal).GetConstructor(new[] { typeof(int),typeof(int),typeof(bool),typeof(byte) }); ilGen.Emit(OpCodes.Newobj,ctor); }
但它不会生成newobj操作码,而是生成nop和stloc.0.找到构造函数并将其传递给Emit调用.这有什么不对?显然,在尝试执行生成的代码时会抛出InvalidProgramException,因为堆栈完全搞砸了.@H_301_5@
解决方法
来吧,只需反编译一些做同样事情的C#代码 – 你会发现没有十进制原语.
42M
编译成@H_301_5@
ldc.i4.s 2A newobj System.Decimal..ctor
对于十进制数字,这要复杂得多:@H_301_5@
42.3M
给@H_301_5@
ldc.i4 A7 01 00 00 ldc.i4.0 ldc.i4.0 ldc.i4.0 ldc.i4.1 newobj System.Decimal..ctor
获得任意小数的最简单方法是使用构造函数的int []重载和GetBits静态方法.您还可以对SetBits方法进行反向工程,以允许您使用正确的值调用更简单的构造函数,或使用反射来读取内部状态 – 有很多选项.@H_301_5@
编辑:@H_301_5@
你很接近,但是你打破了ILGen – 而构造函数的最后一个参数是一个字节,你加载的常量必须是一个int.以下按预期工作:@H_301_5@
var bits = decimal.GetBits(d); bool sign = (bits[3] & 0x80000000) != 0; int scale = (byte)((bits[3] >> 16) & 0x7f); gen.Emit(OpCodes.Ldc_I4,bits[0]); gen.Emit(OpCodes.Ldc_I4,bits[1]); gen.Emit(OpCodes.Ldc_I4,bits[2]); gen.Emit(sign ? OpCodes.Ldc_I4_1 : OpCodes.Ldc_I4_0); gen.Emit(OpCodes.Ldc_I4,scale); var ctor = typeof(decimal).GetConstructor(new[] { typeof(int),typeof(byte) }); gen.Emit(OpCodes.Newobj,ctor); gen.Emit(OpCodes.Ret);
编辑2:@H_301_5@
一个简单的例子,说明如何使用表达式树(在这种情况下,树是由C#编译器构建的,但这取决于你)来定义动态方法体:@H_301_5@
var assembly = AssemblyBuilder.DefineDynamicAssembly(new AssemblyName("Test"),AssemblyBuilderAccess.Run); var module = assembly.DefineDynamicModule("Test"); var type = module.DefineType("TestType"); var methodBuilder = type.DefineMethod("MyMethod",MethodAttributes.Public | MethodAttributes.Static); methodBuilder.SetReturnType(typeof(decimal)); Expression<Func<decimal>> decimalExpression = () => 42M; decimalExpression.CompileToMethod(methodBuilder); var t = type.CreateType(); var result = (decimal)t.GetMethod("MyMethod").Invoke(null,new object[] {}); result.Dump(); // 42 :)