Как узнать, реализует ли тип объекта IEnumerable <X>, где X наследуется от Base с помощью Reflection - PullRequest
5 голосов
/ 30 марта 2010

Дайте базовый класс Base, я хочу написать метод Test, например:

private static bool Test(IEnumerable enumerable)
{
...
}

такой, что Test возвращает true, если тип o реализует какой-либо интерфейс IEnumerable<X>, где X происходит от Base, так что если бы я сделал это:

public static IEnumerable<string> Convert(IEnumerable enumerable)
{
    if (Test(enumerable))
    {
        return enumerable.Cast<Base>().Select(b => b.SomePropertyThatIsString);
    }

    return enumerable.Cast<object>().Select(o => o.ToString());
}

... что он будет делать правильно, используя Reflection. Я уверен, что нужно пройтись по всем интерфейсам этого типа, чтобы найти первый, соответствующий требованиям, но мне трудно найти общий IEnumerable<> среди них.

Конечно, я мог бы рассмотреть это:

public static IEnumerable<string> Convert(IEnumerable enumerable)
{
    return enumerable.Cast<object>().Select(o => o is Base ? ((Base)o).SomePropertyThatIsString : o.ToString());
}

... но думайте об этом как о мысленном эксперименте.

Ответы [ 3 ]

16 голосов
/ 31 марта 2010

Вы также можете использовать запрос LINQ , который может выглядеть следующим образом.

public static bool ImplementsBaseType(IEnumerable objects)
{
    int found = ( from i in objects.GetType().GetInterfaces()
                 where i.IsGenericType && 
                       i.GetGenericTypeDefinition() == typeof(IEnumerable<>) &&
                       typeof(MyBaseClass).IsAssignableFrom(i.GetGenericArguments()[0])
                 select i ).Count();

    return (found > 0);
}

Этот код предполагает использование следующих операторов:

using System;
using System.Collections;
using System.Collections.Generic;
using System.Linq;

Посколькуэто просто мысленный эксперимент.Вот еще одна реализация в качестве метода расширения.

public static class ConversionAssistants
{
    public static bool GenericImplementsType(this IEnumerable objects, Type baseType)
    {
        foreach (Type type in objects.GetType().GetInterfaces())
        {
            if (type.IsGenericType)
            {
                if (type.GetGenericTypeDefinition() == typeof(IEnumerable<>))
                {
                    if (baseType.IsAssignableFrom(type.GetGenericArguments()[0]))
                        return true;
                }
            }
        }
        return false;
    }
}
0 голосов
/ 13 сентября 2013

Недавно я написал некоторый код, который должен перебирать любую коллекцию.

Как унаследованное приложение .NET, у меня даже не было доступных генериков!

Вот выдержка:

var t = objects.GetType(); // to be compatible with the question

bool isIEnumerable = false;
foreach (var i in t.GetInterfaces())
{
    if (i == typeof(IEnumerable))
    {
        isIEnumerable = true;
        break;
    }
}

Я обнаружил, что даже классы коллекций .NET 1.1, такие как SqlParameterCollection, были IEnumerable.
Он также перехватывает общие коллекции, такие как List <>, так как они тоже IEnumerable.

Надеюсь, это кому-нибудь поможет.

0 голосов
/ 30 марта 2010

Вы можете использовать Type.FindInterfaces, чтобы отфильтровать все интерфейсы IEnumerable<>, которые реализует тип, и проверить общие параметры (через Type.GetGenericArguments) на каждом из них, чтобы посмотрите, является ли он Base или наследуется от Base.

Обновление : Вот пример кода:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Reflection;

namespace ConsoleApplication1
{
    class Base
    {
        string Prop { get; set;}
    }

    class A : Base
    {
    }

    class Test : List<A>
    {
    }

    class Program
    {
        static void Main(string[] args)
        {
            try
            {
                Test test = new Test();
                Type myType = test.GetType();

                //string filterCriteria = "IEnumerable`1";
                Type typeA = Type.GetType("ConsoleApplication1.A");
                string filterCriteria = "System.Collections.Generic.IEnumerable`1[[" +
                                        typeA.AssemblyQualifiedName +
                                        "]]";

                // Specify the TypeFilter delegate that compares the 
                // interfaces against filter criteria.
                TypeFilter myFilter = new TypeFilter(MyInterfaceFilter);
                Type[] myInterfaces = myType.FindInterfaces(myFilter,
                    filterCriteria);
                if (myInterfaces.Length > 0)
                {
                    Console.WriteLine("\n{0} implements the interface {1}.",
                        myType, filterCriteria);
                    for (int j = 0; j < myInterfaces.Length; j++)
                        Console.WriteLine("Interfaces supported: {0}.",
                            myInterfaces[j].ToString());
                }
                else
                    Console.WriteLine(
                        "\n{0} does not implement the interface {1}.",
                        myType, filterCriteria);
            }
            catch (ArgumentNullException e)
            {
                Console.WriteLine("ArgumentNullException: " + e.Message);
            }
            catch (TargetInvocationException e)
            {
                Console.WriteLine("TargetInvocationException: " + e.Message);
            }
            catch (Exception e)
            {
                Console.WriteLine("Exception: " + e.Message);
            }
        }

        public static bool MyInterfaceFilter(Type typeObj, Object criteriaObj)
        {
            // This will be true, if criteria is
            // System.Collections.Generic.IEnumerable`1[[ConsoleApplication1.A, ConsoleApplication1, Version=1.0.0.0, Culture=neutral, PublicKeyToken=null]]
            if (typeObj.FullName == criteriaObj.ToString())
                return true;
            // This will be true, if criteria is
            // IEnumerable`1
            // You will still need to check the generic parameters on the original type
                // (generic parameters are not exposed on Type instances for interfaces
            else if (typeObj.Name == criteriaObj.ToString())
                return true;
            else
                return false;
        }
    }
}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...