c#中的反射是否提供了一种方法来确定某个给定的System。类型类型模型一些接口?
public interface IMyInterface {}
public class MyType : IMyInterface {}
// should yield 'true'
typeof(MyType)./* ????? */MODELS_INTERFACE(IMyInterface);
c#中的反射是否提供了一种方法来确定某个给定的System。类型类型模型一些接口?
public interface IMyInterface {}
public class MyType : IMyInterface {}
// should yield 'true'
typeof(MyType)./* ????? */MODELS_INTERFACE(IMyInterface);
当前回答
IsAssignableFrom现在移动到TypeInfo:
typeof(ISMSRequest).GetTypeInfo().IsAssignableFrom(typeof(T).GetTypeInfo());
其他回答
是什么
if(MyType as IMyInterface != null)
?
是什么
typeof(IWhatever).GetTypeInfo().IsInterface
注意,如果你有一个通用接口IMyInterface<T>,那么这个将总是返回false:
typeof(IMyInterface<>).IsAssignableFrom(typeof(MyType)) /* ALWAYS FALSE */
这也不管用:
typeof(MyType).GetInterfaces().Contains(typeof(IMyInterface<>)) /* ALWAYS FALSE */
然而,如果MyType实现了IMyInterface<MyType>,这将工作并返回true:
typeof(IMyInterface<MyType>).IsAssignableFrom(typeof(MyType))
但是,在运行时您可能不知道类型参数T。一个有点俗气的解决方案是:
typeof(MyType).GetInterfaces()
.Any(x=>x.Name == typeof(IMyInterface<>).Name)
杰夫的解决方案就没那么俗气了:
typeof(MyType).GetInterfaces()
.Any(i => i.IsGenericType
&& i.GetGenericTypeDefinition() == typeof(IMyInterface<>));
下面是Type上的一个扩展方法,适用于任何情况:
public static class TypeExtensions
{
public static bool IsImplementing(this Type type, Type someInterface)
{
return type.GetInterfaces()
.Any(i => i == someInterface
|| i.IsGenericType
&& i.GetGenericTypeDefinition() == someInterface);
}
}
(请注意,上面使用的是linq,它可能比循环慢。)
你可以这样做:
typeof(MyType).IsImplementing(IMyInterface<>)
IsAssignableFrom现在移动到TypeInfo:
typeof(ISMSRequest).GetTypeInfo().IsAssignableFrom(typeof(T).GetTypeInfo());
使用类型。IsAssignableTo(自。net 5.0起):
typeof(MyType).IsAssignableTo(typeof(IMyInterface));
正如在一些评论中所述,IsAssignableFrom可能被认为是“向后”的混淆。