当属性类型为Int64时,DynamicMethod返回不正确的值

时间:2009-08-30 17:20:03

标签: .net reflection reflection.emit

我正在编写一个例程来使用DynamicMethod从对象中检索值。它适用于大多数数据类型,但DateTime.Ticks除外,它是int64

在以下测试应用中。我使用MethodInfo和DynamicMethod,methodInfo返回正确的值,但DynamicMethod不返回。有什么想法吗?

using System;
using System.Reflection;
using System.Reflection.Emit;

namespace ConsoleApplication2
{
    public delegate object MemberGetDelegate(object obj);

    class Program
    {
        static void Main(string[] args)
        {
            DateTime dat = DateTime.Today;
            PropertyInfo pi = typeof(DateTime).GetProperty("Ticks");
            MethodInfo mi = pi.GetGetMethod();
            Type type = pi.PropertyType;
            object ticks = mi.Invoke(dat, new object[] { });
            Console.WriteLine("Get by MethodInfo " + ticks.ToString());

            MemberGetDelegate mget=TypeUtils.GetMemberFunc(pi);
            object ret = mget(dat);
            Console.WriteLine("Get by DynamicMethod " + ret.ToString());

            Console.Read();
        }
    }

    static class TypeUtils
    {
        public static readonly Type objectType = typeof(object);
        public static readonly Type[] typeArray = new[] { typeof(object) };

        public static MemberGetDelegate GetMemberFunc(PropertyInfo pi)
        {

            MethodInfo mi = pi.GetGetMethod();

            if (mi != null)
            {
                DynamicMethod dm = new DynamicMethod("_" + mi.Name,
                                                     objectType,
                                                     typeArray,
                                                     pi.Module, true);
                ILGenerator il = dm.GetILGenerator();

                // Load the instance of the object (argument 0) onto the stack
                il.Emit(OpCodes.Ldarg_0);

                // Call underlying get method
                il.EmitCall(OpCodes.Callvirt, mi, null);

                //boxing
                if (pi.PropertyType.IsValueType)
                {
                    il.Emit(OpCodes.Box, pi.PropertyType);                   
                }

                // return the value on the top of the stack
                il.Emit(OpCodes.Ret);

                return  (MemberGetDelegate) dm.CreateDelegate(typeof (MemberGetDelegate));

            }
            return null;
        }
    }
}

1 个答案:

答案 0 :(得分:4)

您正在生成无效代码。如果使用Ilasm编译生成的IL

ldarg.0
callvirt instance int64 [mscorlib]System.DateTime::get_Ticks()
box int64
ret

然后在可执行文件上运行PEVerify,它会告诉您代码无效。 (你不能在类似的值类型方法上使用callvirt)。工作代码应如下所示

ldarg.0
unbox [mscorlib]System.DateTime
call instance int64 [mscorlib]System.DateTime::get_Ticks()
box int64
ret

相应地调整代码生成,它将返回正确的值。