2

假设您有 IList 或 List 作为属性。您如何确定它是 List 还是 IList?这可以在不依赖反复试验的情况下完成吗?

类型的名称往往类似于 List`1。考虑字符串破解是否合理?

class Program {

    public class Class1 {
        public int a { get; set; }

        public IList<int> list { get; set; }


        public List<int> concreteList { get; set; }
    }

    static void Main(string[] args)
    {
        Test1();
        Test2();
    }

    private static void Test1()
    {
        var t = typeof (Class1);
        var p = t.GetProperty("list");

        if (p.PropertyType.IsInterface && p.PropertyType.IsGenericType)
        {
            var ps = p.PropertyType.GetGenericArguments();
            var underlying = p.PropertyType.GetInterface("IList");

            var b = underlying == typeof (IList<>);

        }
    }

    private static void Test2() {
        var t = typeof(Class1);
        var p = t.GetProperty("concreteList");

        if (!p.PropertyType.IsInterface && p.PropertyType.IsGenericType) {
            var ps = p.PropertyType.GetGenericArguments();

            var underlying3 = p.PropertyType.GetGenericTypeDefinition();

            var b = underlying3 == typeof (List<>);
        }
    }
}
4

2 回答 2

5

如果您可以获得属性值,那么测试其类型可能非常简单(请参阅 Guffa 的回答)。但是,如果您想在不调用该属性的情况下找到它,那么您的代码几乎就在那里 - 例如,

var t = p.PropertyType;
if (t.IsGenericType && !t.IsGenericTypeDefinition && !t.IsInterface && !t.IsValueType) 
{
   // we are dealing with closed generic classes 
   var typeToTest = typeof (List<>);
   var tToCheck = t.GetGenericTypeDefinition();
   while (tToCheck != typeof(object)) 
   {
      if (tToCheck == typeToTest) 
      {
         // the given type is indeed derived from List<T>
         break; 
      }
      tToCheck = toCheck.BaseType;
   }
}

IsGenericType表示该类型是通用的 - 可以是开放的 ( List<T>) 或封闭的 ( List<int>)。IsGenericTypeDefinition指示泛型类型是否为开放类型。GetGenericTypeDefinition关闭/开放泛型类型将返回泛型定义(即开放泛型类型)。

于 2012-04-05T11:49:15.613 回答
2

只需使用is关键字:

IList<int> list = ...get a collection from somewhere

if (list is List<int>) {
  // the IList<int> is actually a List<int>
} else {
  // the IList<int> is some other kind of collection
}
于 2012-04-05T11:32:38.577 回答