我有一个对象,它包含许多其他对象的列表。我将提供一个简单的例子。
public class BaseApplicationData
{
public long Id { get; set; }
}
public class Phone : BaseApplicationData
{
public string PhoneType { get; set; }
public string Number { get; set; }
public string Extension { get; set; }
}
public class Employer : BaseApplicationData
{
public double Salary { get; set; }
public string Name { get; set; }
public string EmployementType { get; set; }
}
public class Applicant : BaseApplicationData
{
public string Name { get; set; }
public string EmailAddress { get; set; }
public List<Phone> PhoneNumbers { get; set; }
public List<Employer> Employers { get; set; }
}
在我正在使用的实际代码中,有更多这样的列表。在处理过程中,我们需要能够对每个列表执行CRUD操作。每个列表的处理过程都是一样的。因此,与其为每种列表类型编写一组CRUD方法,不如使用泛型和/或反射来为每个列表完成这些操作。
所以我创建了一个方法,这样做,但我的结果不是我所期望的。使用上面的示例对象,我创建了一个申请人对象并向其添加了一个雇主对象。(这是为了模拟一个已经包含数据的列表。)然后调用我的方法(如下所示)。
public long CreatePropertyValue<T>(Applicant applicant, T data, string propertyName)
{
long newId = 0;
var listproperty = applicant.GetType().GetProperty(propertyName);
// Here is the problem, even with data in the list, listData.Count is always 0.
List<T> listData = listproperty.GetValue(applicant, null) as List<T>;
// psuedo code
if list is null, create a new list
assign a new Id value to object data (parameter)
Add the data item to the list
update the property of the applicant object with the updated list
return newId;
}
对该方法的调用看起来像这样。测试。CreatePropertyValue(application, emp, "Employers");
当我在列表中没有数据的情况下调用这个方法时,我得到的值如预期的那样为空。当我用列表中的数据调用它时,listData的值是一个正确类型的列表,但列表中没有项目。查看listproperty.PropertyType.GetGenericArguments(),我可以看到列表中的实际项目。我希望能够获得基于propertyName和类型T的listData集合,然后能够将我的T数据项添加到列表中并将其保存回来。同样,我也需要能够更新、删除和返回列表。
我在网站上看了几个问题,但没有一个向我解释为什么当我在属性上使用getvalue时,我的列表包含0项。
我很感激你能提供的任何帮助。
感谢UPDATE:我真傻,我正在创建数组和对象,但没有将对象添加到数组中。
可以尝试使用lambda:
public void Test1()
{
var app = new Applicant();
CreatePropertyValue(app, new Phone(), a => a.PhoneNumbers, (a, v) => a.PhoneNumbers = v);
CreatePropertyValue(app, new Employer(), a => a.Employers, (a, v) => a.Employers = v);
}
public static long CreatePropertyValue<T>(Applicant applicant, T data, Func<Applicant, List<T>> getter, Action<Applicant, List<T>> setter)
where T : BaseApplicationData
{
long newId = 0;
var list = getter(applicant); //get list
if (list == null) //check it
{
list = new List<T>();
data.Id = newId;
list.Add(data); //add new data
setter(applicant, list); //set new list
}
return newId;
}