如何在泛型方法中获取 T 的类型
本文关键字:类型 获取 泛型方法 | 更新日期: 2023-09-27 18:32:24
我有以下通用方法:
protected IEnumerable<T> GetAnimals<T>() where T : Animal
{
// code
}
我可以使用 GetAnimals<Dog>()
或 GetAnimals<Cat>()
调用此方法,其中 Dog 和 Cat 类继承自 Animal
.
我需要的是让typeof(T)
找到当前方法正在以Dog
或Cat
执行。到目前为止,我已经尝试过:
protected IEnumerable<T> GetAnimals<T>() where T : Animal
{
bool isDog = typeof(T) is Dog ? true : false;
}
这个typeof
返回Animal
而不是Cat
或Dog
,所以这是我的问题。
一种解决方案是在像WhatIAm()
这样的Animal
中创建一种方法,并在 Dog 中实现它return typeof(Dog)
但我相信这是一个糟糕的解决方案。
有什么建议吗?
首先,如果你需要在泛型方法中进行类型检查,也许你采用了错误的方法/设计。通常,这被认为是糟糕的设计。
问题的实际解决方案:
bool isDog = typeof(T) == typeof(Dog);
请注意,T
必须Dog
精确匹配。从Dog
派生的类被排除在外。
更好的方法可能是:
bool isDog = typeof(Dog).IsAssignableFrom(typeof(T));
此外,您不需要三元运算符。
您可以直接比较类型
bool isDog = typeof(T) == typeof(Dog) ? true : false;
typeof(T)
不返回Animal
,它返回一个类型实例。 is
运算符比较Type
是否与Dog
兼容,这不是因为 Dog 和类型之间没有关系。