如果type参数是struct或class,则选择泛型实现

时间:2015-12-21 22:48:22

标签: c# generics

如果T是struct而另一个是T是一个类,我希望以一种有效的方式实现我的通用IQueue<T>接口。

interface IQueue<T> { ... }

class StructQueue<T> : IQueue<T> where T : struct { ... }

class RefQueue<T> : IQueue<T> where T : class { ... }

我希望有一个基于T的类型的工厂方法返回一个或另一个的实例:

static IQueue<T> CreateQueue<T>() {
    if (typeof(T).IsValueType) {
        return new StructQueue<T>();
    }
    return new RefQueue<T>();
}

当然,编译器指出T应该分别是非可空/可空类型参数。

有没有办法将T转换为struct类(以及类类)以使方法编译?是否可以使用C#进行这种运行时调度?

2 个答案:

答案 0 :(得分:5)

您可以使用Reflection执行此操作:

static IQueue<T> CreateQueue<T>()
{
    if (typeof(T).IsValueType)
    {
        return (IQueue<T>)Activator
            .CreateInstance(typeof(StructQueue<>).MakeGenericType(typeof(T)));
    }

    return (IQueue<T>)Activator
        .CreateInstance(typeof(RefQueue<>).MakeGenericType(typeof(T)));
}

此代码使用Activator.CreateInstance method在运行时创建队列。此方法接受您要创建的对象的类型。

要创建代表通用类的Type,此代码使用MakeGenericType method从开放的泛型类型Type创建一个封闭的通用StructQueue<>对象。< / p>

答案 1 :(得分:1)

Yacoub Massad的回答是正确的,但只需稍加修改,您就不需要为每次调用CreateQueue运行MakeGenericType。

下面的代码为每种类型运行一次MakeGenericType,因为每种类型的QueueFactory<T>都存在一个单独的静态变量,即QueueFactory<int>.queueType将获得StructQueue<int>,而QueueFactory<string>.queueType将获得RefQueue<int>

public class QueueFactory<T>
{
    static Type queueType = typeof(T).IsValueType ?
         typeof(StructQueue<>).MakeGenericType(typeof(T)) : typeof(RefQueue<>).MakeGenericType(typeof(T));

    public static IQueue<T> CreateQueue()
    {
        return (IQueue<T>)Activator.CreateInstance(queueType);
    }
}

在我的半科学考试中,它在大约十分之一的时间内创造了100万个实例。