我有這樣的代碼來發送加載整數或字符串值的IL代碼。但我不知道如何添加decimal
類型。它在Emit
方法中不受支持。任何解決方案?發送IL代碼來加載一個十進制值
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));
}
不工作:
else if (type == typeof(decimal))
{
ilGen.Emit(OpCodes.Ld_???, Convert.ToDecimal(value, CultureInfo.InvariantCulture));
}
編輯:好了,這裏就是我所做的:
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(int), typeof(bool), typeof(byte) });
ilGen.Emit(OpCodes.Newobj, ctor);
}
但它不會產生newobj
操作碼,但而不是nop
和stloc.0
。找到構造函數並將其傳遞給Emit
調用。這裏有什麼問題?很顯然,當試圖執行生成的代碼時會拋出一個InvalidProgramException
,因爲堆棧是完全混亂的。
顯然,(但不要把我的話)的「負載十進制」沒有直接的操作碼,您加載參數並調用構造函數小數:請參閱http ://stackoverflow.com/a/485834/266143 – CodeCaster
另請參閱http://codeblog.jonskeet.uk/2014/08/22/when-is-a-constant-not-a-constant-when-its-a -decimal /。簡而言之:小數不是CLR原始類型,並且沒有用於直接加載一個的IL操作碼。 –
請參閱上面的我的編輯,瞭解非工作解決方案。 – ygoe