Reputation: 63720
I have some generated classes which are similar in form but have no inheritance relationships, like this:
class horse {}
class horses { public horse[] horse {get;}}
class dog {}
class dogs { public dog[] dog {get;}}
class cat {}
class cats { public cat[] cat {get;}}
I want to write a method like:
ProcessAnimals<T>(Object o)
{
find an array property of type T[]
iterate the array
}
So then I might do:
horses horses = ...;
ProcessAnimals<horse>(horses);
It seems like something reflection can be used for but what would that look like?
Upvotes: 0
Views: 48
Reputation: 15982
You can iterate over the properties checking for arrays type:
void ProcessAnimals<T>(object o)
{
var type = o.GetType();
var props = type.GetProperties(BindingFlags.Public | BindingFlags.Instance)
.Where(pi => pi.PropertyType.IsArray && pi.PropertyType.GetElementType().Equals(typeof(T)));
foreach (var prop in props)
{
var array = (T[])prop.GetValue(o);
foreach (var item in array)
{
//Do something
}
}
}
Upvotes: 1
Reputation: 156
I can suggest other way of doing this, without reflection, because all of this classes are basically the same:
enum AnimalType
{
Horse,
Dog,
Cat
}
class Animal
{
public AnimalType Type;
}
class Animals
{
public Animal[] Animals { get; }
}
ProcessAnimals(Animals animals)
{
// do something with animals.Animals array
}
Upvotes: 0