using System; using System.Collections.Generic; using System.Data; using System.Linq; using System.Reflection; using System.Text; using System.Threading.Tasks; namespace General { public class PublicMethod { /// <summary> /// DataTable 转换成List /// </summary> /// <typeparam name="T"></typeparam> /// <param name="dt">DataTable数据源</param> /// <returns></returns> public static List<T> DataTableToList<T>(DataTable dt) { //确认参数有效 if (dt == null || dt.Rows.Count <= 0) { return new List<T>(); // 返回一个空的列表 } // 确认参数有效 IList<T> list = new List<T>(); //实例化一个list PropertyInfo[] tMembersAll = typeof(T).GetProperties(); for (int i = 0; i < dt.Rows.Count; i++) { //创建泛型对象。为什么这里要创建一个泛型对象呢?是因为目前我不确定泛型的类型。 T t = Activator.CreateInstance<T>(); //获取t对象类型的所有公有属性。但是我不建议吧这条语句写在for循环里,因为没循环一次就要获取一次,占用资源,所以建议写在外面 //PropertyInfo[] tMembersAll = t.GetType().GetProperties(); for (int j = 0; j < dt.Columns.Count; j++) { //遍历tMembersAll foreach (PropertyInfo tMember in tMembersAll) { //取dt表中j列的名字,并把名字转换成大写的字母。整条代码的意思是:如果列名和属性名称相同时赋值 if (dt.Columns[j].ColumnName.ToUpper().Equals(tMember.Name.ToUpper())) { //dt.Rows[i][j]表示取dt表里的第i行的第j列;DBNull是指数据库中当一个字段没有被设置值的时候的值,相当于数据库中的“空值”。 if (dt.Rows[i][j] != DBNull.Value) { //SetValue是指:将指定属性设置为指定值。 tMember是T泛型对象t的一个公有成员,整条代码的意思就是:将dt.Rows[i][j]赋值给t对象的tMember成员,参数详情请参照http://msdn.microsoft.com/zh-cn/library/3z2t396t(v=vs.100).aspx/html tMember.SetValue(t, Convert.ToString(dt.Rows[i][j]), null); } else { tMember.SetValue(t, null, null); } break;//注意这里的break是写在if语句里面的,意思就是说如果列名和属性名称相同并且已经赋值了,那么我就跳出foreach循环,进行j+1的下次循环 } } } list.Add(t); } dt.Dispose(); return list.ToList(); } /// <summary> /// List<T>转换成DataTable /// </summary> /// <typeparam name="T"></typeparam> /// <param name="dataList">泛型List集合数据</param> /// <returns>返回DataTable</returns> public static DataTable ListToDataTable<T>(List<T> dataList) where T : class, new() { if (dataList == null || !dataList.Any() || dataList.Count == 0) { return null; } Type type = typeof(T); using (System.Data.DataTable dt = new System.Data.DataTable(type.Name)) { PropertyInfo[] propertyInfoArray = type.GetProperties(BindingFlags.Public | BindingFlags.Instance); foreach (T t in dataList.Where(t => t != null)) { DataRow row = dt.NewRow(); for (int i = 0, j = propertyInfoArray.Length; i < j; i++) { PropertyInfo propertyInfo = propertyInfoArray[i]; string name = propertyInfo.Name; if (dt.Columns[name] == null) { System.Data.DataColumn column = new System.Data.DataColumn(name, propertyInfo.PropertyType); dt.Columns.Add(column); } row[name] = propertyInfo.GetValue(t, null); } dt.Rows.Add(row); } return dt; } } } }
标签:PublicMethod,Rows,System,using,dt,null,DataTable From: https://www.cnblogs.com/tiancaige/p/18543978