我想使用反射将项添加到通用列表中。在“DoSomething”方法中,我试图完成以下行,
pi.PropertyType.GetMethod("Add").Invoke(??????)
但是我遇到了不同类型的错误。
以下是我的完整代码
public class MyBaseClass
{
public int VechicleId { get; set; }
}
public class Car:MyBaseClass
{
public string Make { get; set; }
}
public class Bike : MyBaseClass
{
public int CC { get; set; }
}
public class Main
{
public string AgencyName { get; set; }
public MyBaseCollection<Car> lstCar {get;set;}
public void DoSomething()
{
PropertyInfo[] p =this.GetType().GetProperties();
foreach (PropertyInfo pi in p)
{
if (pi.PropertyType.Name.Contains("MyBaseCollection"))
{
//Cln contains List<Car>
IEnumerable<MyBaseClass> cln = pi.GetValue(this, null) as IEnumerable<MyBaseClass>;
**//Now using reflection i want to add a new car to my object this.MyBaseCollection**
pi.PropertyType.GetMethod("Add").Invoke(??????)
}
}
}
}
有任何想法/建议吗?
答案 0 :(得分:18)
我想你想要:
// Cast to IEnumerable<MyBaseClass> isn't helping you, so why bother?
object cln = pi.GetValue(this, null);
// Create myBaseClassInstance.
// (How will you do this though, if you don't know the element-type?)
MyBaseClass myBaseClassInstance = ...
// Invoke Add method on 'cln', passing 'myBaseClassInstance' as the only argument.
pi.PropertyType.GetMethod("Add").Invoke(cln, new[] { myBaseClassInstance } );
由于你不知道集合的元素类型是什么(可能是Car,Bike,Cycle等),你会发现很难找到有用的演员阵容。例如,虽然您说该集合肯定实现IList<SomeMyBaseClassSubType>
,但由于IList<T>
不是协变的,所以这并非有用。当然,转换为IEnumerable<MyBaseClass>
应该成功,但这不会对你有所帮助,因为它不支持突变。另一方面,如果您的集合类型实现了非通用IList
或ICollection
类型,那么转换为那些可能会派上用场。
但如果您确定该集合将实现IList<Car>
(即您事先知道该集合的元素类型),事情会更容易:
// A much more useful cast.
IList<Car> cln = (IList<Car>)pi.GetValue(this, null);
// Create car.
Car car = ...
// The cast helped!
cln.Add(car);
答案 1 :(得分:4)
作为替代方案......只是不要;考虑非通用的IList接口:
IList list = (IList) {... get value ...}
list.Add(newItem);
虽然所有通用集合都不是强制来实现IList,但它们几乎都是如此,因为它支持了如此多的核心框架代码。
答案 2 :(得分:0)
从typeof<List<>>.GetMethods
开始,你不调用属性的方法,而是调用属性类型的方法
答案 3 :(得分:0)
你能不能一起避免反思并使用:
List<MyBaseClass> lstCar { get; set; }
lstCar.Add((MyBaseClass)new Car());
您还可以考虑使用界面或抽象方法......