我想测试一个类型是否实现了一组接口之一。
ViewData["IsInTheSet"] =
model.ImplementsAny<IInterface1, IInterface2, IInterface3, IInterface4>();
我已经编写了以下扩展方法来处理这个问题。
是否有更可扩展的方式来编写以下代码?我仍然不想在利用泛型的同时编写新方法。
public static bool Implements<T>(this object obj)
{
Check.Argument.IsNotNull(obj, "obj");
return (obj is T);
}
public static bool ImplementsAny<T>(this object obj)
{
return obj.Implements<T>();
}
public static bool ImplementsAny<T,V>(this object obj)
{
if (Implements<T>(obj))
return true;
if (Implements<V>(obj))
return true;
return false;
}
public static bool ImplementsAny<T,V,W>(this object obj)
{
if (Implements<T>(obj))
return true;
if (Implements<V>(obj))
return true;
if (Implements<W>(obj))
return true;
return false;
}
public static bool ImplementsAny<T, V, W, X>(this object obj)
{
if (Implements<T>(obj))
return true;
if (Implements<V>(obj))
return true;
if (Implements<W>(obj))
return true;
if (Implements<X>(obj))
return true;
return false;
}
答案 0 :(得分:5)
为什么不使用以下内容:
public static bool ImplementsAny(this object obj, params Type[] types)
{
foreach(var type in types)
{
if(type.IsAssignableFrom(obj.GetType())
return true;
}
return false;
}
然后你可以这样称呼它:
model.ImplementsAny(typeof(IInterface1),
typeof(IInterface2),
typeof(IInterface3),
typeof(IInterface4));
答案 1 :(得分:1)
我检查接口是否已实现的方式是:
public static bool IsImplementationOf(this Type checkMe, Type forMe)
{
if (forMe.IsGenericTypeDefinition)
return checkMe.GetInterfaces().Select(i =>
{
if (i.IsGenericType)
return i.GetGenericTypeDefinition();
return i;
}).Any(i => i == forMe);
return forMe.IsAssignableFrom(checkMe);
}
这可以很容易地扩展到:
public static bool IsImplementationOf(this Type checkMe, params Type[] forUs)
{
return forUs.Any(forMe =>
{
if (forMe.IsGenericTypeDefinition)
return checkMe.GetInterfaces().Select(i =>
{
if (i.IsGenericType)
return i.GetGenericTypeDefinition();
return i;
}).Any(i => i == forMe);
return forMe.IsAssignableFrom(checkMe);
});
}
或者更好:
public static bool IsImplementationOf(this Type checkMe, params Type[] forUs)
{
return forUs.Any(forMe => checkMe.IsImplementationOf(forMe));
}
警告:未经测试
然后在将类型参数传递给它之前,先对typeof
进行操作。