如果类型参数是结构或类,则选择泛型实现
本文关键字:选择 泛型 实现 类型参数 结构 如果 | 更新日期: 2023-09-27 18:27:36
我想以一种有效的方式实现我的通用IQueue<T>
接口,如果T是struct,则执行一个实现,如果T为class,则执行另一个实现。
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应该分别是不可为null/可为null的类型参数。
有没有一种方法可以将T强制转换为结构类型(和类类型)来编译该方法?这种运行时调度在C#中是否可行?
您可以使用反射来这样做:
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
方法在运行时创建队列。此方法采用要创建的对象的类型。
为了创建一个代表泛型类的Type
,此代码使用MakeGenericType
方法从像StructQueue<>
这样的开放泛型类型创建一个封闭的泛型Type
对象。
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万个实例。