要检查一个类型是否是C#中另一个类型的子类,很简单:
typeof (SubClass).IsSubclassOf(typeof (BaseClass)); // returns true
但是,这将失败:
typeof (BaseClass).IsSubclassOf(typeof (BaseClass)); // returns false
有没有办法在不使用OR
运算符或扩展方法的情况下,检查类型是否是基类本身的子类或基类?
显然没有。
选项如下:
is
和 as
正如您已经发现的,如果两种类型相同,则将无法正常工作,这是一个示例LINQPad程序,该程序演示:
void Main()
{
typeof(Derived).IsSubclassOf(typeof(Base)).Dump();
typeof(Base).IsSubclassOf(typeof(Base)).Dump();
}
public class Base { }
public class Derived : Base { }
输出:
True
False
这表明Derived
是的子类Base
,但Base
(显然)不是其子类。
现在,这将回答您的特定问题,但也会给您带来误报。正如埃里克·利珀特(Eric
Lippert)在评论中指出的那样,虽然该方法的确会True
为上述两个问题返回,但也会True
为这些问题而返回,您可能不希望这样做:
void Main()
{
typeof(Base).IsAssignableFrom(typeof(Derived)).Dump();
typeof(Base).IsAssignableFrom(typeof(Base)).Dump();
typeof(int[]).IsAssignableFrom(typeof(uint[])).Dump();
}
public class Base { }
public class Derived : Base { }
在这里,您将获得以下输出:
True
True
True
True
如果方法 仅 回答了所问的问题,则最后一个指示将表明该方法uint[]
继承自int[]
或它们是同一类型,显然不是这种情况。
所以IsAssignableFrom
也不是完全正确的。
is
和 as
“问题”与is
和as
你的问题的背景是,他们会要求你对对象进行操作和写直接在代码中的类型之一,而不是与工作Type
对象。
换句话说,它将无法编译:
SubClass is BaseClass
^--+---^
|
+-- need object reference here
也不会:
typeof(SubClass) is typeof(BaseClass)
^-------+-------^
|
+-- need type name here, not Type object
也不会:
typeof(SubClass) is BaseClass
^------+-------^
|
+-- this returns a Type object, And "System.Type" does not
inherit from BaseClass
尽管上述方法可能满足您的需求,但对您问题的唯一正确答案(如我所见)是您将需要进行额外的检查:
typeof(Derived).IsSubclassOf(typeof(Base)) || typeof(Derived) == typeof(Base);
在方法中哪个更有意义:
public bool IsSameOrSubclass(Type potentialBase, Type potentialDescendant)
{
return potentialDescendant.IsSubclassOf(potentialBase)
|| potentialDescendant == potentialBase;
}