我做了这个扩展方法来检查一个类型是否实现了一个接口。要使其正常工作,它需要比较两种类型。然而,这种比较似乎并不现实:
public static bool ImplementsInterface(this Type type, Type testInterface)
{
if (testInterface.GenericTypeArguments.Length > 0)
{
return testInterface.IsAssignableFrom(type);
}
else
{
foreach (var @interface in type.GetInterfaces())
{
// This doesn't always work:
if (@interface == testInterface)
// But comparing the names instead always works!
// if (@interface.Name == testInterface.Name)
{
return true;
}
}
return false;
}
}
这是我比较失败的情况:
public static class TestInterfaceExtensions
{
interface I1 { }
interface I2<T> : I1 { }
class Class1Int : I2<int> { }
[Fact]
public void ImplementsInterface()
{
Assert.True(typeof(Class1Int).ImplementsInterface(typeof(I2<>)));
}
}
正如注释中提到的,如果我比较类型名,那么它总是按照预期工作。我想知道这是怎么回事。
如果接口是泛型的,则需要与泛型类型定义进行比较:
public static bool ImplementsInterface(this Type type, Type testInterface)
{
if (testInterface.GenericTypeArguments.Length > 0)
{
return testInterface.IsAssignableFrom(type);
}
else
{
foreach (var @interface in type.GetInterfaces())
{
var compareType = @interface.IsGenericType
? @interface.GetGenericTypeDefinition()
: @interface;
if (compareType == testInterface)
{
return true;
}
}
return false;
}
}
这适用于一堆测试用例:
Console.WriteLine(typeof(Class1Int).ImplementsInterface(typeof(I2<>))); // True
Console.WriteLine(typeof(Class1Int).ImplementsInterface(typeof(I2<int>))); // True
Console.WriteLine(typeof(Class1Int).ImplementsInterface(typeof(I2<bool>))); // False
Console.WriteLine(typeof(Class1Int).ImplementsInterface(typeof(I1))); // True
Console.WriteLine(typeof(Class1Int).ImplementsInterface(typeof(I3))); // False
实时示例:https://dotnetfiddle.net/bbslxh