如何从.net中的数组类型获取数组项类型

时间:2010-11-09 01:54:41

标签: .net reflection types

说我有一个System.String[]类型的对象。我可以查询类型对象以确定它是否是数组

Type t1 = typeof(System.String[]);
bool isAnArray = t1.IsArray; // should be true

但是如何从t1

获取数组项的类型对象
Type t2 = ....; // should be typeof(System.String)

3 个答案:

答案 0 :(得分:104)

您可以将实例方法Type.GetElementType用于此目的。

Type t2 = t1.GetElementType();
  

[返回]当前数组,指针或引用类型包含或引用的对象的类型,如果当前Type不是数组或指针,或者未通过引用传递,则表示null,或者表示泛型类型或泛型类型或泛型方法定义中的类型参数。

答案 1 :(得分:12)

感谢@psaxton comment指出了Array和其他集合之间的区别。作为一种扩展方法:

public static class TypeHelperExtensions
{
    /// <summary>
    /// If the given <paramref name="type"/> is an array or some other collection
    /// comprised of 0 or more instances of a "subtype", get that type
    /// </summary>
    /// <param name="type">the source type</param>
    /// <returns></returns>
    public static Type GetEnumeratedType(this Type type)
    {
        // provided by Array
        var elType = type.GetElementType();
        if (null != elType) return elType;

        // otherwise provided by collection
        var elTypes = type.GetGenericArguments();
        if (elTypes.Length > 0) return elTypes[0];

        // otherwise is not an 'enumerated' type
        return null;
    }
}

用法:

typeof(Foo).GetEnumeratedType(); // null
typeof(Foo[]).GetEnumeratedType(); // Foo
typeof(List<Foo>).GetEnumeratedType(); // Foo
typeof(ICollection<Foo>).GetEnumeratedType(); // Foo
typeof(IEnumerable<Foo>).GetEnumeratedType(); // Foo

// some other oddities
typeof(HashSet<Foo>).GetEnumeratedType(); // Foo
typeof(Queue<Foo>).GetEnumeratedType(); // Foo
typeof(Stack<Foo>).GetEnumeratedType(); // Foo
typeof(Dictionary<int, Foo>).GetEnumeratedType(); // int
typeof(Dictionary<Foo, int>).GetEnumeratedType(); // Foo, seems to work against key

答案 2 :(得分:1)

感谢@drzaus提供的answer,但可以将其压缩为oneliner(加上nullIEnumerable类型的检查):

public static Type GetEnumeratedType(this Type type) =>
   type?.GetElementType()
   ?? typeof(IEnumerable).IsAssignableFrom(type)
   ? type.GenericTypeArguments.FirstOrDefault()
   : null;

添加null检查器以避免异常,也许我不应该(随意删除Null Conditional Operators)。 还添加了一个过滤器,因此该函数仅适用于集合,而不适用于任何泛型类型。

请记住,这也可能被实现的子类所愚弄,这些子类改变了集合的主题,并且实现者决定将集合的泛型类型参数移动到以后的位置。