关于这个话题有很多问题,但是我有一个稍微改变的版本.
我们有以下代码:
interface IFoo { } interface IBar : IFoo { } class Foo : IFoo { } class Bar : IBar { } bool Implements_IFoo(Type type) { /* ??? */ }
现在,这个故事的扭曲:Implements_IFoo的方法应该仅在Type实现IFoo时才返回true,而不是从IFoo导出的任何接口.这里举例说明这个方法的一些例子:
Implements_IFoo(typeof(Foo)); // Should return true Implements_IFoo(typeof(Bar)); // Should return false as Bar type // implements an interface derived from IFoo
注意,可以有许多从IFoo导出的接口,你不一定知道它们的存在.
明显的方法是通过反射查找从IFoo派生的所有接口,然后只需检查typeof(Bar).GetInterfaces()是其中存在的任何一个.但我想知道有没有人可以提出一个更优雅的解决方案.
PS这个问题源于我发现使用这个检查类(if(obj.GetType()== typeof(BaseClass)){…}的一些代码.我们正在使用界面替换类别的特定代码.另外,为了防止这种情况 – 我将这个检查作为布尔标志来实现,所以这个问题纯粹是假设的.
解决方法
我尝试了,因为它听起来很有趣,这适用于你的例子:
bool ImplementsIFooDirectly(Type t) { if (t.BaseType != null && ImplementsIFooDirectly(t.BaseType)) { return false; } foreach (var intf in t.GetInterfaces()) { if (ImplementsIFooDirectly(intf)) { return false; } } return t.GetInterfaces().Any(i => i == typeof(IFoo)); }
结果:
ImplementsIFooDirectly(typeof(IFoo)); // false ImplementsIFooDirectly(typeof(Bar)); // false ImplementsIFooDirectly(typeof(Foo)); // true ImplementsIFooDirectly(typeof(IBar)); // true
它不会查找从IFoo派生的所有接口,它只是继承继承/接口实现链,并查看IFoo是否存在于类型的确切级别之外的任何级别.
它还检测接口是否通过基本类型继承.不知道这是否是你想要的.
然而,正如其他人已经说过的,如果这真的是你的要求,那么你的设计可能会有问题. (编辑:只是注意到你的问题纯粹是假设的,那当然可以:) 原文链接:https://www.f2er.com/csharp/97828.html