Как определить, реализует ли тип определенный тип универсального интерфейса - PullRequest
204 голосов
/ 02 февраля 2009

Допустим следующие определения типов:

public interface IFoo<T> : IBar<T> {}
public class Foo<T> : IFoo<T> {}

Как узнать, реализует ли тип Foo универсальный интерфейс IBar<T>, если доступен только искаженный тип?

Ответы [ 11 ]

357 голосов
/ 02 февраля 2009

Используя ответ из TcKs, это также можно сделать с помощью следующего запроса LINQ:

bool isBar = foo.GetType().GetInterfaces().Any(x =>
  x.IsGenericType &&
  x.GetGenericTypeDefinition() == typeof(IBar<>));
31 голосов
/ 02 февраля 2009

Вы должны пройти через дерево наследования и найти все интерфейсы для каждого класса в дереве, и сравнить typeof(IBar<>) с результатом вызова Type.GetGenericTypeDefinition , если интерфейс является универсальным. Это все немного больно, конечно.

См. этот ответ и эти ответы для получения дополнительной информации и кода.

22 голосов
/ 02 февраля 2009
public interface IFoo<T> : IBar<T> {}
public class Foo : IFoo<Foo> {}

var implementedInterfaces = typeof( Foo ).GetInterfaces();
foreach( var interfaceType in implementedInterfaces ) {
    if ( false == interfaceType.IsGeneric ) { continue; }
    var genericType = interfaceType.GetGenericTypeDefinition();
    if ( genericType == typeof( IFoo<> ) ) {
        // do something !
        break;
    }
}
9 голосов
/ 24 сентября 2009

как расширение вспомогательного метода

public static bool Implements<I>(this Type type, I @interface) where I : class
{
    if(((@interface as Type)==null) || !(@interface as Type).IsInterface)
        throw new ArgumentException("Only interfaces can be 'implemented'.");

    return (@interface as Type).IsAssignableFrom(type);
}

Пример использования:

var testObject = new Dictionary<int, object>();
result = testObject.GetType().Implements(typeof(IDictionary<int, object>)); // true!
5 голосов
/ 12 мая 2011

Я использую немного более простую версию метода расширения @GenericProgrammers:

public static bool Implements<TInterface>(this Type type) where TInterface : class {
    var interfaceType = typeof(TInterface);

    if (!interfaceType.IsInterface)
        throw new InvalidOperationException("Only interfaces can be implemented.");

    return (interfaceType.IsAssignableFrom(type));
}

Использование:

    if (!featureType.Implements<IFeature>())
        throw new InvalidCastException();
4 голосов
/ 02 февраля 2009

Необходимо проверить составной тип универсального интерфейса.

Вам нужно будет сделать что-то вроде этого:

foo is IBar<String>

потому что IBar<String> представляет этот построенный тип. Причина, по которой вы должны это сделать, заключается в том, что если T не определен в вашем чеке, компилятор не знает, имеете ли вы в виду IBar<Int32> или IBar<SomethingElse>.

3 голосов
/ 08 февраля 2012

Чтобы полностью заняться системой типов, я думаю, что вам нужно обрабатывать рекурсию, например, IList<T>: ICollection<T>: IEnumerable<T>, без которого вы бы не знали, что IList<int> в конечном итоге реализует IEnumerable<>.

    /// <summary>Determines whether a type, like IList&lt;int&gt;, implements an open generic interface, like
    /// IEnumerable&lt;&gt;. Note that this only checks against *interfaces*.</summary>
    /// <param name="candidateType">The type to check.</param>
    /// <param name="openGenericInterfaceType">The open generic type which it may impelement</param>
    /// <returns>Whether the candidate type implements the open interface.</returns>
    public static bool ImplementsOpenGenericInterface(this Type candidateType, Type openGenericInterfaceType)
    {
        Contract.Requires(candidateType != null);
        Contract.Requires(openGenericInterfaceType != null);

        return
            candidateType.Equals(openGenericInterfaceType) ||
            (candidateType.IsGenericType && candidateType.GetGenericTypeDefinition().Equals(openGenericInterfaceType)) ||
            candidateType.GetInterfaces().Any(i => i.IsGenericType && i.ImplementsOpenGenericInterface(openGenericInterfaceType));

    }
3 голосов
/ 02 февраля 2009

Прежде всего public class Foo : IFoo<T> {} не компилируется, потому что вам нужно указать класс вместо T, но при условии, что вы делаете что-то вроде public class Foo : IFoo<SomeClass> {}

тогда, если вы делаете

Foo f = new Foo();
IBar<SomeClass> b = f as IBar<SomeClass>;

if(b != null)  //derives from IBar<>
    Blabla();
1 голос
/ 27 апреля 2017

Метод проверки, наследует ли тип или реализует универсальный тип:

   public static bool IsTheGenericType(this Type candidateType, Type genericType)
    {
        return
            candidateType != null && genericType != null &&
            (candidateType.IsGenericType && candidateType.GetGenericTypeDefinition() == genericType ||
             candidateType.GetInterfaces().Any(i => i.IsGenericType && i.GetGenericTypeDefinition() == genericType) ||
             candidateType.BaseType != null && candidateType.BaseType.IsTheGenericType(genericType));
    }
1 голос
/ 15 декабря 2015

Если вам нужен метод расширения, который будет поддерживать базовые базовые типы, а также интерфейсы, я расширил ответ sduplooy:

    public static bool InheritsFrom(this Type t1, Type t2)
    {
        if (null == t1 || null == t2)
            return false;

        if (null != t1.BaseType &&
            t1.BaseType.IsGenericType &&
            t1.BaseType.GetGenericTypeDefinition() == t2)
        {
            return true;
        }

        if (InheritsFrom(t1.BaseType, t2))
            return true;

        return
            (t2.IsAssignableFrom(t1) && t1 != t2)
            ||
            t1.GetInterfaces().Any(x =>
              x.IsGenericType &&
              x.GetGenericTypeDefinition() == t2);
    }
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...