通常在DAL层我们都需要把DataTable转换为List<T>让调用者尽可能的好用,尽量的不用关心数据库的字段等,所以我们一般传过去的都是List<T>而不是DataTable。但是频繁的编写这样的重复代码比较费时间,所以我们在此采用反射的方式来进行List<T>的动态生成。
1. 假设实体类
public class User
{
public int ID { get; set; }
public string LoginName { get; set; }
public string NameCN { get; set; }
public string NameEN { get; set; }
}
那么你也许需要编写将DataTable 转换为实体对象的方法,便利DataTable.Rows 获得并填充。
2. 用反射将DataTable转换为实体
private static List<T> TableToEntity<T>(DataTable dt) where T : class,new()
{
Type type = typeof(T);
List<T> list = new List<T>();
foreach (DataRow row in dt.Rows)
{
PropertyInfo[] pArray = type.GetProperties();
T entity = new T();
foreach (PropertyInfo p in pArray)
{
if (row[p.Name] is Int64 || row[p.Name] is Int32)
{
p.SetValue(entity, Convert.ToInt32(row[p.Name]), null);
continue;
}
p.SetValue(entity, row[p.Name], null);
}
list.Add(entity);
}
return list;
}
3. 调用
List<User> userList = TableToEntity<User>(YourDataTable);