c'è un modo per recuperare il tipo T
dalla IEnumerable<T>
riflessione?
per esempio
ho una variabile IEnumerable<Child>
info; voglio recuperare il tipo di bambino attraverso la riflessione
c'è un modo per recuperare il tipo T
dalla IEnumerable<T>
riflessione?
per esempio
ho una variabile IEnumerable<Child>
info; voglio recuperare il tipo di bambino attraverso la riflessione
Risposte:
IEnumerable<T> myEnumerable;
Type type = myEnumerable.GetType().GetGenericArguments()[0];
Questa convenzione,
IEnumerable<string> strings = new List<string>();
Console.WriteLine(strings.GetType().GetGenericArguments()[0]);
stampe System.String
.
Vedere MSDN per Type.GetGenericArguments
.
Modifica: credo che questo risolverà le preoccupazioni nei commenti:
// returns an enumeration of T where o : IEnumerable<T>
public IEnumerable<Type> GetGenericIEnumerables(object o) {
return o.GetType()
.GetInterfaces()
.Where(t => t.IsGenericType
&& t.GetGenericTypeDefinition() == typeof(IEnumerable<>))
.Select(t => t.GetGenericArguments()[0]);
}
Alcuni oggetti implementano più di un generico, IEnumerable
quindi è necessario restituirne un'enumerazione.
Modifica: anche se, devo dire, è una pessima idea per una classe da implementare IEnumerable<T>
per più di una T
.
Creerei solo un metodo di estensione. Ha funzionato con tutto ciò che ho lanciato.
public static Type GetItemType<T>(this IEnumerable<T> enumerable)
{
return typeof(T);
}
Ho avuto un problema simile. La risposta selezionata funziona per le istanze effettive. Nel mio caso avevo solo un tipo (da a PropertyInfo
).
La risposta selezionata fallisce quando il tipo stesso typeof(IEnumerable<T>)
non è un'implementazione di IEnumerable<T>
.
In questo caso i seguenti lavori:
public static Type GetAnyElementType(Type type)
{
// Type is Array
// short-circuit if you expect lots of arrays
if (type.IsArray)
return type.GetElementType();
// type is IEnumerable<T>;
if (type.IsGenericType && type.GetGenericTypeDefinition() == typeof (IEnumerable<>))
return type.GetGenericArguments()[0];
// type implements/extends IEnumerable<T>;
var enumType = type.GetInterfaces()
.Where(t => t.IsGenericType &&
t.GetGenericTypeDefinition() == typeof(IEnumerable<>))
.Select(t => t.GenericTypeArguments[0]).FirstOrDefault();
return enumType ?? type;
}
Type.GenericTypeArguments
- solo per dotNet FrameWork versione> = 4.5. Altrimenti, usa Type.GetGenericArguments
invece.
Se conosci il IEnumerable<T>
(tramite generici), allora typeof(T)
dovrebbe funzionare. Altrimenti (per object
, o non generico IEnumerable
), controlla le interfacce implementate:
object obj = new string[] { "abc", "def" };
Type type = null;
foreach (Type iType in obj.GetType().GetInterfaces())
{
if (iType.IsGenericType && iType.GetGenericTypeDefinition()
== typeof(IEnumerable<>))
{
type = iType.GetGenericArguments()[0];
break;
}
}
if (type != null) Console.WriteLine(type);
Type type
parametro piuttosto che un object obj
parametro: non puoi semplicemente sostituire obj.GetType()
con type
perché se passi typeof(IEnumerable<T>)
non ottieni nulla. Per ovviare a questo, prova lo type
stesso per vedere se è un generico di IEnumerable<>
e quindi le sue interfacce.
Grazie mille per la discussione. L'ho usato come base per la soluzione di seguito, che funziona bene per tutti i casi che mi interessano (IEnumerable, classi derivate, ecc.). Ho pensato di condividere qui nel caso qualcuno ne avesse bisogno anche:
Type GetItemType(object someCollection)
{
var type = someCollection.GetType();
var ienum = type.GetInterface(typeof(IEnumerable<>).Name);
return ienum != null
? ienum.GetGenericArguments()[0]
: null;
}
someCollection.GetType().GetInterface(typeof(IEnumerable<>).Name)?.GetGenericArguments()?.FirstOrDefault()
Un'alternativa per situazioni più semplici in cui sarà un IEnumerable<T>
o T
- nota l'uso di GenericTypeArguments
invece di GetGenericArguments()
.
Type inputType = o.GetType();
Type genericType;
if ((inputType.Name.StartsWith("IEnumerable"))
&& ((genericType = inputType.GenericTypeArguments.FirstOrDefault()) != null)) {
return genericType;
} else {
return inputType;
}
Questo è un miglioramento rispetto alla soluzione di Eli Algranti in quanto funzionerà anche dove il IEnumerable<>
tipo è a qualsiasi livello dell'albero dell'ereditarietà.
Questa soluzione otterrà il tipo di elemento da any Type
. Se il tipo non è an IEnumerable<>
, restituirà il tipo passato. Per gli oggetti, utilizzare GetType
. Per i tipi, usa typeof
, quindi chiama questo metodo di estensione sul risultato.
public static Type GetGenericElementType(this Type type)
{
// Short-circuit for Array types
if (typeof(Array).IsAssignableFrom(type))
{
return type.GetElementType();
}
while (true)
{
// Type is IEnumerable<T>
if (type.IsGenericType && type.GetGenericTypeDefinition() == typeof(IEnumerable<>))
{
return type.GetGenericArguments().First();
}
// Type implements/extends IEnumerable<T>
Type elementType = (from subType in type.GetInterfaces()
let retType = subType.GetGenericElementType()
where retType != subType
select retType).FirstOrDefault();
if (elementType != null)
{
return elementType;
}
if (type.BaseType == null)
{
return type;
}
type = type.BaseType;
}
}
So che è un po 'vecchio, ma credo che questo metodo coprirà tutti i problemi e le sfide dichiarati nei commenti. Ringraziamo Eli Algranti per aver ispirato il mio lavoro.
/// <summary>Finds the type of the element of a type. Returns null if this type does not enumerate.</summary>
/// <param name="type">The type to check.</param>
/// <returns>The element type, if found; otherwise, <see langword="null"/>.</returns>
public static Type FindElementType(this Type type)
{
if (type.IsArray)
return type.GetElementType();
// type is IEnumerable<T>;
if (ImplIEnumT(type))
return type.GetGenericArguments().First();
// type implements/extends IEnumerable<T>;
var enumType = type.GetInterfaces().Where(ImplIEnumT).Select(t => t.GetGenericArguments().First()).FirstOrDefault();
if (enumType != null)
return enumType;
// type is IEnumerable
if (IsIEnum(type) || type.GetInterfaces().Any(IsIEnum))
return typeof(object);
return null;
bool IsIEnum(Type t) => t == typeof(System.Collections.IEnumerable);
bool ImplIEnumT(Type t) => t.IsGenericType && t.GetGenericTypeDefinition() == typeof(IEnumerable<>);
}
public static Type GetInnerGenericType(this Type type)
{
// Attempt to get the inner generic type
Type innerType = type.GetGenericArguments().FirstOrDefault();
// Recursively call this function until no inner type is found
return innerType is null ? type : innerType.GetInnerGenericType();
}
Questa è una funzione ricorsiva che scenderà prima in profondità nell'elenco dei tipi generici fino a ottenere una definizione di tipo concreta senza tipi generici interni.
Ho provato questo metodo con questo tipo:
ICollection<IEnumerable<ICollection<ICollection<IEnumerable<IList<ICollection<IEnumerable<IActionResult>>>>>>>>
che dovrebbe tornare IActionResult
typeof(IEnumerable<Foo>)
. restituirà il primo argomento generico, in questo caso .GetGenericArguments()
[0]
typeof(Foo)
Ecco la mia versione illeggibile dell'espressione di query Linq.
public static Type GetEnumerableType(this Type t) {
return !typeof(IEnumerable).IsAssignableFrom(t) ? null : (
from it in (new[] { t }).Concat(t.GetInterfaces())
where it.IsGenericType
where typeof(IEnumerable<>)==it.GetGenericTypeDefinition()
from x in it.GetGenericArguments() // x represents the unknown
let b = it.IsConstructedGenericType // b stand for boolean
select b ? x : x.BaseType).FirstOrDefault()??typeof(object);
}
Nota che il metodo prende IEnumerable
in considerazione anche il non generico , restituisce object
in questo caso, perché Type
come argomento prende un'istanza piuttosto che un'istanza concreta. A proposito, poiché x rappresenta l'ignoto , ho trovato questo video interessante, anche se irrilevante ..