说我有一个System.String[]
类型对象。我可以查询类型对象以确定它是否是数组
Type t1 = typeof(System.String[]);
bool isAnArray = t1.IsArray; // should be true
但是如何从t1获取数组项的类型对象
Type t2 = ....; // should be typeof(System.String)
说我有一个System.String[]
类型对象。我可以查询类型对象以确定它是否是数组
Type t1 = typeof(System.String[]);
bool isAnArray = t1.IsArray; // should be true
但是如何从t1获取数组项的类型对象
Type t2 = ....; // should be typeof(System.String)
Answers:
您可以Type.GetElementType
为此使用实例方法。
Type t2 = t1.GetElementType();
[返回]当前数组,指针或引用类型包含或引用的对象的类型;如果当前Type不是数组或指针,或者未通过引用传递,或表示泛型类型,则返回null泛型类型或泛型方法的定义中的类型参数。
null
的Array
类。” 因此,它可能仅适用于T[]
表单。但是,在我对...Array
产生的测试中似乎还不错Array.CreateInstance()
感谢@psaxton评论指出了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
IEnumerable
; 也许我对“收藏”的使用应该是“可枚举的”?
typeof(IEnumerable).IsAssinableFrom(type)
。
IEnumerable
,例如IObservable<T>
,或其他。我将方法类型更改为GetGenericType
。
由于@drzaus他很好的答案,但它可以被压缩到oneliner(加上检查null
S和IEnumerable
类型):
public static Type GetEnumeratedType(this Type type) =>
type?.GetElementType()
?? typeof(IEnumerable).IsAssignableFrom(type)
? type.GenericTypeArguments.FirstOrDefault()
: null;
添加了null
检查程序以避免异常,也许我不应该这样做(随意删除Null条件运算符)。还添加了一个过滤器,因此该功能仅适用于集合,不适用于任何泛型类型。
请记住,这也可能被更改子类的已实现子类所欺骗,并且实现者决定将集合的泛型类型参数移至更高位置。
C#8和可为空性的已转换答案:
public static Type GetEnumeratedType(this Type type) =>
((type?.GetElementType() ?? (typeof(IEnumerable).IsAssignableFrom(type)
? type.GenericTypeArguments.FirstOrDefault()
: null))!;