我一直在研究这种方法一段时间,并试图弄清楚它是如何工作的。这显然适用于返回完美的对象列表。但我目前无法弄清楚的是,我将如何检索单个对象,例如“Employee e”而不是“List”?
public static List<T> DataTableToList<T>(this DataTable table) where T : class, new()
{
try
{
List<T> list = new List<T>();
foreach (var row in table.AsEnumerable())
{
T obj = new T();
foreach (var prop in obj.GetType().GetProperties())
{
try
{
PropertyInfo propertyInfo = obj.GetType().GetProperty(prop.Name);
propertyInfo.SetValue(obj, Convert.ChangeType(row[prop.Name], propertyInfo.PropertyType), null);
}
catch
{
continue;
}
}
list.Add(obj);
}
return list;
}
catch
{
return null;
}
}
答案 0 :(得分:5)
致电
var employee = table.DataTableToList<Employee>().FirstOrDefault();
或者(如果您的DataTable
非常大),您可能希望使用IEnumerable<T>
关键字修改您的扩展方法以返回yield
:
public static IEnumerable<T> DataTableToList<T>(this DataTable table) where T : class, new()
{
try
{
foreach (var row in table.AsEnumerable())
{
T obj = new T();
foreach (var prop in obj.GetType().GetProperties())
{
try
{
PropertyInfo propertyInfo = obj.GetType().GetProperty(prop.Name);
propertyInfo.SetValue(obj, Convert.ChangeType(row[prop.Name], propertyInfo.PropertyType), null);
}
catch
{
continue;
}
}
yield return obj;
}
}
catch
{
yield break;
}
}
这样做的好处是该方法只会根据需要转换表的多行。
答案 1 :(得分:0)
只需使用此方法返回的List上的lamba expression调用FirstOrDefault。
因此,如果您正在寻找特定的Employee实例,并且您在该对象上有一个Id属性,那么您可以执行类似的操作。
var employee = employeeTableInstance.DataTableToList()。FirstOrDefault(e =&gt; e.Id.Equals(id));
这不是采用单个对象的最有效方法,因为它要求您将整个表从行实例映射到对象实例,但是如果您仍然需要该表列出其他原因的功能,并且可能会调用它那么你可以采取这种方法。
如果您不需要,那么如果您按主键搜索或查看查询表达式然后只映射一行而不是全部,我会查看调用DataRowCollection的Find方法行。可以在此处找到查找和查询表达式的示例。 https://msdn.microsoft.com/en-us/library/y06xa2h1.aspx