Pergunta

Preciso saber se o tipo de propriedade em uma classe é uma coleção genérica (lista, ObservableCollection) usando a classe PropertyInfo.

foreach (PropertyInfo p in (o.GetType()).GetProperties())
{
    if(p is Collection<T> ????? )

}
Foi útil?

Solução

GetGenericTypeDefinition e typeof(Collection<>) fará o trabalho:

if(p.PropertyType.IsGenericType && typeof(Collection<>).IsAssignableFrom(p.PropertyType.GetGenericTypeDefinition())

Outras dicas

Type tColl = typeof(ICollection<>);
foreach (PropertyInfo p in (o.GetType()).GetProperties()) {
    Type t = p.PropertyType;
    if (t.IsGenericType && tColl.IsAssignableFrom(t.GetGenericTypeDefinition()) ||
        t.GetInterfaces().Any(x => x.IsGenericType && x.GetGenericTypeDefinition() == tColl)) {
        Console.WriteLine(p.Name + " IS an ICollection<>");
    } else {
        Console.WriteLine(p.Name + " is NOT an ICollection<>");
    }
}

Você precisa dos testes t.IsGenericType e x.IsGenericType, por outro lado GetGenericTypeDefinition() lançará uma exceção se o tipo não for genérico.

Se a propriedade for declarada como ICollection<T> então tColl.IsAssignableFrom(t.GetGenericTypeDefinition()) retornará true.

Se a propriedade for declarada como um tipo que implementa ICollection<T> entãot.GetInterfaces().Any(x => x.IsGenericType && x.GetGenericTypeDefinition() == tColl) retornará true.

Observe que tColl.IsAssignableFrom(t.GetGenericTypeDefinition()) retorna false para List<int> por exemplo.


Eu testei todas essas combinações para MyT o = new MyT();

private interface IMyCollInterface1 : ICollection<int> { }
private interface IMyCollInterface2<T> : ICollection<T> { }
private class MyCollType1 : IMyCollInterface1 { ... }
private class MyCollType2 : IMyCollInterface2<int> { ... }
private class MyCollType3<T> : IMyCollInterface2<T> { ... }

private class MyT
{
    public ICollection<int> IntCollection { get; set; }
    public List<int> IntList { get; set; }
    public IMyCollInterface1 iColl1 { get; set; }
    public IMyCollInterface2<int> iColl2 { get; set; }
    public MyCollType1 Coll1 { get; set; }
    public MyCollType2 Coll2 { get; set; }
    public MyCollType3<int> Coll3 { get; set; }
    public string StringProp { get; set; }
}

Resultado:

IntCollection IS an ICollection<>
IntList IS an ICollection<>
iColl1 IS an ICollection<>
iColl2 IS an ICollection<>
Coll1 IS an ICollection<>
Coll2 IS an ICollection<>
Coll3 IS an ICollection<>
StringProp is NOT an ICollection<>
Licenciado em: CC-BY-SA com atribuição
Não afiliado a StackOverflow
scroll top