如何从泛型类或方法的成员中获取T的类型?

假设我在类或方法中有一个通用成员,所以:

public class Foo<T>
{
    public List<T> Bar { get; set; }

    public void Baz()
    {
        // get type of T
    }   
}

当我实例化类时, T变成MyTypeObject1 ,所以这个类有一个通用的列表属性: List<MyTypeObject1> 。 这同样适用于非泛型类中的泛型方法:

public class Foo
{
    public void Bar<T>()
    {
        var baz = new List<T>();

        // get type of T
    }
}

我想知道,我的班级列表包含什么类型的对象。 所以名为Bar或者局部变量baz的列表属性包含什么类型的T

我不能做Bar[0].GetType() ,因为列表可能包含零个元素。 我该怎么做?


如果我理解正确,你的列表与容器类本身具有相同的类型参数。 如果是这种情况,那么:

Type typeParameterType = typeof(T);

如果您处于以object作为类型参数的幸运情境,请参阅Marc的答案。


(注意:我假设你知道的只是objectIList或类似的东西,并且列表可以是运行时的任何类型)

如果你知道它是一个List<T> ,那么:

Type type = abc.GetType().GetGenericArguments()[0];

另一种选择是查看索引器:

Type type = abc.GetType().GetProperty("Item").PropertyType;

使用新的TypeInfo:

using System.Reflection;
// ...
var type = abc.GetType().GetTypeInfo().GenericTypeArguments[0];

使用以下扩展方法,您可以不经反思即可离开:

public static Type GetListType<T>(this List<T> _)
{
    return typeof(T);
}

或者更一般的:

public static Type GetEnumeratedType<T>(this IEnumerable<T> _)
{
    return typeof(T);
}

用法:

List<string>        list    = new List<string> { "a", "b", "c" };
IEnumerable<string> strings = list;
IEnumerable<object> objects = list;

Type listType    = list.GetListType();           // string
Type stringsType = strings.GetEnumeratedType();  // string
Type objectsType = objects.GetEnumeratedType();  // BEWARE: object
链接地址: http://www.djcxy.com/p/49125.html

上一篇: How to get the type of T from a member of a generic class or method?

下一篇: Why does C# forbid generic attribute types?