3
 public static class Extensions
{
    public static T Include<T>(this System.Enum type,T value) where T:struct 
    {
      return ((T) (ValueType) (((int) (ValueType) type | (int) (ValueType) value)));

    }
    public static T Include1<T>(this System.Enum type, T value) 
    {
        return ((T)(object)((int)(object)type | (int)(object)value));

    }
}

如果您看到为这两种方法生成的 IL,它们看起来是一样的,或者我错过了什么……为什么第一个 Include 方法会发生装箱?

4

1 回答 1

4

ValueType是引用类型。诚实。它只是一个结构体T。您需要将所有内容替换ValueTypeT不装箱。但是,不会有内置的演员表 from Tto int... 所以:你不能。你将不得不装箱。另外,并非所有枚举都是int基于 - 的(例如,您的 box-as-enum、unbox-as-int 将失败 a enum Foo : ushort)。

在 C# 4.0 中,dynamic这样做可能是一种厚颜无耻的方式:

public static T Include<T>(this T type, T value) where T : struct
{
    return ((dynamic)type) | value;
}

否则,一些元编程(本质上是做什么dynamic,但手动):

static void Main()
{
    var both = Test.A.Include(Test.B);
}
enum Test : ulong
{
    A = 1, B = 2
}

public static T Include<T>(this T type, T value) where T : struct
{
    return DynamicCache<T>.or(type, value);
}
static class DynamicCache<T>
{
    public static readonly Func<T, T, T> or;
    static DynamicCache()
    {
        if(!typeof(T).IsEnum) throw new InvalidOperationException(typeof(T).Name + " is not an enum");
        var dm = new DynamicMethod(typeof(T).Name + "_or", typeof(T), new Type[] { typeof(T), typeof(T) }, typeof(T),true);
        var il = dm.GetILGenerator();
        il.Emit(OpCodes.Ldarg_0);
        il.Emit(OpCodes.Ldarg_1);
        il.Emit(OpCodes.Or);
        il.Emit(OpCodes.Ret);
        or = (Func<T, T, T>)dm.CreateDelegate(typeof(Func<T, T, T>));
    }
}
于 2011-06-20T11:44:53.697 回答