Si vous utilisez .NET 3.5, vous pouvez utiliser DataTableExtensions.AsEnumerable(une méthode d'extension), puis si vous avez vraiment besoin d'un List<DataRow>au lieu de simplement, IEnumerable<DataRow>vous pouvez appeler Enumerable.ToList:
@Pandiya: Il existe différentes manières de convertir des données en JSON dans .NET. Personnellement, j'ai toujours utilisé la bibliothèque JSON.NET, mais il existe également d'autres approches.
Le code ci-dessus peut ne pas fonctionner bcs. dt.Rows n'a pas implémenté 'AsEnumerable'. Cela peut être corrigé comme suit: emp = (à partir de la ligne DataRow dans dt.AsEnumerable () sélectionnez le nouvel employé {_FirstName = ligne ["FirstName"]. ToString (), _LastName = row ["Last_Name"]. ToString ()}) .Lister();
Navin Pandit
37
Avec C # 3.0 et System.Data.DataSetExtensions.dll,
cela a permis aux performances d'utiliser simplement un foreach sur un flux de données de 50% du temps.
lloydom
34
Vous pourriez utiliser
List<DataRow> list = new List<DataRow>(dt.Select());
dt.Select()renverra toutes les lignes de votre table, sous forme de tableau de flèches de données, et le Listconstructeur accepte ce tableau d'objets comme argument pour remplir initialement votre liste.
Ne fonctionne pas - voir dotnetfiddle.net/I22r2c Il convient également de noter que l'utilisation de Reflection est lente et n'est pas recommandée dans le code critique de performance.
Almenon
Vous devez ajouter des informations de type de données pour les colonnes. DataTable dt = nouveau DataTable (); dt.Columns.Add ("id", typeof (Int32)); dt.Columns.Add ("nom", typeof (chaîne)); dt.Columns.Add ("toto", typeof (DateHeure)); for (int i = 0; i <= 1000; i ++) {dt.Rows.Add (i, "foo", DateTime.Now);}
Rahul Garg
15
Si vous souhaitez simplement renvoyer une liste de valeurs du champ int "ID", vous pouvez utiliser ...
List<int> ids = (from row in dt.AsEnumerable() select Convert.ToInt32(row["ID"])).ToList();
DataTable.Select() ne donne pas les lignes dans l'ordre où elles étaient présentes dans la table de données.
Si l'ordre est important, je pense qu'itérer sur la collection de flux de données et former une liste est la bonne façon de procéder ou vous pouvez également utiliser une surcharge de DataTable.Select(string filterexpression, string sort).
Mais cette surcharge peut ne pas gérer tout le tri (comme l'ordre par cas ...) fourni par SQL.
DataTable dt; // datatable should contains datacolumns with Id,Name
List<Employee> employeeList=new List<Employee>(); // Employee should contain EmployeeId, EmployeeName as propertiesforeach (DataRow dr in dt.Rows)
{
employeeList.Add(new Employee{EmployeeId=dr.Id,EmplooyeeName=dr.Name});
}
/* This is a generic method that will convert any type of DataTable to a List
*
*
* Example : List< Student > studentDetails = new List< Student >();
* studentDetails = ConvertDataTable< Student >(dt);
*
* Warning : In this case the DataTable column's name and class property name
* should be the same otherwise this function will not work properly
*/
Voici les deux fonctions dans lesquelles si nous passons un DataTable et une classe définie par l'utilisateur. Il renverra ensuite la liste de cette classe avec les données DataTable.
publicstaticList<T> ConvertDataTable<T>(DataTable dt)
{
List<T> data = new List<T>();
foreach (DataRow row in dt.Rows)
{
T item = GetItem<T>(row);
data.Add(item);
}
return data;
}
privatestatic T GetItem<T>(DataRow dr)
{
Type temp = typeof(T);
T obj = Activator.CreateInstance<T>();
foreach (DataColumn column in dr.Table.Columns)
{
foreach (PropertyInfo pro in temp.GetProperties())
{
//in case you have a enum/GUID datatype in your model//We will check field's dataType, and convert the value in it.if (pro.Name == column.ColumnName){
try
{
var convertedValue = GetValueByDataType(pro.PropertyType, dr[column.ColumnName]);
pro.SetValue(obj, convertedValue, null);
}
catch (Exception e)
{
//ex handle code throw;
}
//pro.SetValue(obj, dr[column.ColumnName], null);
}
elsecontinue;
}
}
return obj;
}
Cette méthode vérifie le type de données du champ et convertit la valeur dataTable en ce type de données.
Modifiez le nom de la classe Student et la valeur dt en fonction de vos besoins. Dans ce cas, le nom de la colonne DataTable et le nom de la propriété de classe doivent être identiques, sinon cette fonction ne fonctionnera pas correctement.
Merci pour votre réponse. Ce serait formidable si vous ajoutiez également une courte explication et quelques commentaires à votre code. Cela aide les gens à mieux comprendre votre réponse.
Andre Hofmeister
1
Le moyen le plus simple de convertir le DataTable en liste générique de classe
en utilisant Newtonsoft.Json;
var json = JsonConvert.SerializeObject(dataTable);
var model = JsonConvert.DeserializeObject<List<ClassName>>(json);
Cela a fonctionné pour moi:
besoin d'au moins .Net Framework 3.5, le
code ci-dessous affiche DataRow transformé en Generic.IEnumerable, comboBox1 a été utilisé pour une meilleure illustration.
using System.Linq;
DataTable dt = new DataTable();
dt = myClass.myMethod();
List<object> list = (from row in dt.AsEnumerable() select (row["name"])).ToList();
comboBox1.DataSource = list;
Pour affecter les lignes DataTable à la liste générique de classe
List<Candidate> temp = new List<Candidate>();//List that holds the Candidate Class,//Note:The Candidate class contains RollNo,Name and Department//tb is DataTable
temp = (from DataRow dr in tb.Rows
select new Candidate()
{
RollNO = Convert.ToInt32(dr["RollNO"]),
Name = dr["Name"].ToString(),
Department = dr["Department"].ToString(),
}).ToList();
Réponses:
Si vous utilisez .NET 3.5, vous pouvez utiliser
DataTableExtensions.AsEnumerable
(une méthode d'extension), puis si vous avez vraiment besoin d'unList<DataRow>
au lieu de simplement,IEnumerable<DataRow>
vous pouvez appelerEnumerable.ToList
:ou
using System.Linq; ... List<DataRow> list = dt.AsEnumerable().ToList();
la source
list
en json.List<Employee> emp = new List<Employee>(); //Maintaining DataTable on ViewState //For Demo only DataTable dt = ViewState["CurrentEmp"] as DataTable; //read data from DataTable //using lamdaexpression emp = (from DataRow row in dt.Rows select new Employee { _FirstName = row["FirstName"].ToString(), _LastName = row["Last_Name"].ToString() }).ToList();
la source
Avec C # 3.0 et System.Data.DataSetExtensions.dll,
la source
Vous pourriez utiliser
List<DataRow> list = new List<DataRow>(dt.Select());
dt.Select()
renverra toutes les lignes de votre table, sous forme de tableau de flèches de données, et leList
constructeur accepte ce tableau d'objets comme argument pour remplir initialement votre liste.la source
Vous pouvez créer une fonction d'extension comme:
public static List<T> ToListof<T>(this DataTable dt) { const BindingFlags flags = BindingFlags.Public | BindingFlags.Instance; var columnNames = dt.Columns.Cast<DataColumn>() .Select(c => c.ColumnName) .ToList(); var objectProperties = typeof(T).GetProperties(flags); var targetList = dt.AsEnumerable().Select(dataRow => { var instanceOfT = Activator.CreateInstance<T>(); foreach (var properties in objectProperties.Where(properties => columnNames.Contains(properties.Name) && dataRow[properties.Name] != DBNull.Value)) { properties.SetValue(instanceOfT, dataRow[properties.Name], null); } return instanceOfT; }).ToList(); return targetList; } var output = yourDataInstance.ToListof<targetModelType>();
la source
Si vous souhaitez simplement renvoyer une liste de valeurs du champ int "ID", vous pouvez utiliser ...
List<int> ids = (from row in dt.AsEnumerable() select Convert.ToInt32(row["ID"])).ToList();
la source
J'ai ajouté une modification au code de cette réponse ( https://stackoverflow.com/a/24588210/4489664 ) car pour les types nullables, il retournera une exception
public static List<T> DataTableToList<T>(this DataTable table) where T: new() { List<T> list = new List<T>(); var typeProperties = typeof(T).GetProperties().Select(propertyInfo => new { PropertyInfo = propertyInfo, Type = Nullable.GetUnderlyingType(propertyInfo.PropertyType) ?? propertyInfo.PropertyType }).ToList(); foreach (var row in table.Rows.Cast<DataRow>()) { T obj = new T(); foreach (var typeProperty in typeProperties) { object value = row[typeProperty.PropertyInfo.Name]; object safeValue = value == null || DBNull.Value.Equals(value) ? null : Convert.ChangeType(value, typeProperty.Type); typeProperty.PropertyInfo.SetValue(obj, safeValue, null); } list.Add(obj); } return list; }
la source
using System.Data; var myEnumerable = myDataTable.AsEnumerable(); List<MyClass> myClassList = (from item in myEnumerable select new MyClass{ MyClassProperty1 = item.Field<string>("DataTableColumnName1"), MyClassProperty2 = item.Field<string>("DataTableColumnName2") }).ToList();
la source
Encore une fois, en utilisant 3.5, vous pouvez le faire comme:
BRGDS
la source
Voici une méthode d'extension DataTable qui convertit un DataTable en liste générique.
https://gist.github.com/gaui/a0a615029f1327296cf8
Usage:
la source
Une manière plus «magique», et n'a pas besoin de .NET 3.5.
Si, par exemple,
DBDatatable
retournait une seule colonne de Guids (uniqueidentifier en SQL), vous pouvez utiliser:Dim gList As New List(Of Guid) gList.AddRange(DirectCast(DBDataTable.Select(), IEnumerable(Of Guid)))
la source
// this is better suited for expensive object creation/initialization IEnumerable<Employee> ParseEmployeeTable(DataTable dtEmployees) { var employees = new ConcurrentBag<Employee>(); Parallel.ForEach(dtEmployees.AsEnumerable(), (dr) => { employees.Add(new Employee() { _FirstName = dr["FirstName"].ToString(), _LastName = dr["Last_Name"].ToString() }); }); return employees; }
la source
DataTable.Select()
ne donne pas les lignes dans l'ordre où elles étaient présentes dans la table de données.Si l'ordre est important, je pense qu'itérer sur la collection de flux de données et former une liste est la bonne façon de procéder ou vous pouvez également utiliser une surcharge de
DataTable.Select(string filterexpression, string sort)
.Mais cette surcharge peut ne pas gérer tout le tri (comme l'ordre par cas ...) fourni par SQL.
la source
DataTable dt; // datatable should contains datacolumns with Id,Name List<Employee> employeeList=new List<Employee>(); // Employee should contain EmployeeId, EmployeeName as properties foreach (DataRow dr in dt.Rows) { employeeList.Add(new Employee{EmployeeId=dr.Id,EmplooyeeName=dr.Name}); }
la source
Utilisez l'
System.Data
espace de noms alors vous obtiendrez.AsEnumerable()
.la source
/* This is a generic method that will convert any type of DataTable to a List * * * Example : List< Student > studentDetails = new List< Student >(); * studentDetails = ConvertDataTable< Student >(dt); * * Warning : In this case the DataTable column's name and class property name * should be the same otherwise this function will not work properly */
public static List<T> ConvertDataTable<T>(DataTable dt) { List<T> data = new List<T>(); foreach (DataRow row in dt.Rows) { T item = GetItem<T>(row); data.Add(item); } return data; } private static T GetItem<T>(DataRow dr) { Type temp = typeof(T); T obj = Activator.CreateInstance<T>(); foreach (DataColumn column in dr.Table.Columns) { foreach (PropertyInfo pro in temp.GetProperties()) { //in case you have a enum/GUID datatype in your model //We will check field's dataType, and convert the value in it. if (pro.Name == column.ColumnName){ try { var convertedValue = GetValueByDataType(pro.PropertyType, dr[column.ColumnName]); pro.SetValue(obj, convertedValue, null); } catch (Exception e) { //ex handle code throw; } //pro.SetValue(obj, dr[column.ColumnName], null); } else continue; } } return obj; }
private static object GetValueByDataType(Type propertyType, object o) { if (o.ToString() == "null") { return null; } if (propertyType == (typeof(Guid)) || propertyType == typeof(Guid?)) { return Guid.Parse(o.ToString()); } else if (propertyType == typeof(int) || propertyType.IsEnum) { return Convert.ToInt32(o); } else if (propertyType == typeof(decimal) ) { return Convert.ToDecimal(o); } else if (propertyType == typeof(long)) { return Convert.ToInt64(o); } else if (propertyType == typeof(bool) || propertyType == typeof(bool?)) { return Convert.ToBoolean(o); } else if (propertyType == typeof(DateTime) || propertyType == typeof(DateTime?)) { return Convert.ToDateTime(o); } return o.ToString(); }
List< Student > studentDetails = new List< Student >(); studentDetails = ConvertDataTable< Student >(dt);
la source
Le moyen le plus simple de convertir le DataTable en liste générique de classe
en utilisant Newtonsoft.Json;
var json = JsonConvert.SerializeObject(dataTable); var model = JsonConvert.DeserializeObject<List<ClassName>>(json);
la source
Cela a fonctionné pour moi: besoin d'au moins .Net Framework 3.5, le code ci-dessous affiche DataRow transformé en Generic.IEnumerable, comboBox1 a été utilisé pour une meilleure illustration.
using System.Linq; DataTable dt = new DataTable(); dt = myClass.myMethod(); List<object> list = (from row in dt.AsEnumerable() select (row["name"])).ToList(); comboBox1.DataSource = list;
la source
Production
public class ModelUser { #region Model private string _username; private string _userpassword; private string _useremail; private int _userid; /// <summary> /// /// </summary> public int userid { set { _userid = value; } get { return _userid; } } /// <summary> /// /// </summary> public string username { set { _username = value; } get { return _username; } } /// <summary> /// /// </summary> public string useremail { set { _useremail = value; } get { return _useremail; } } /// <summary> /// /// </summary> public string userpassword { set { _userpassword = value; } get { return _userpassword; } } #endregion Model } public List<ModelUser> DataTableToList(DataTable dt) { List<ModelUser> modelList = new List<ModelUser>(); int rowsCount = dt.Rows.Count; if (rowsCount > 0) { ModelUser model; for (int n = 0; n < rowsCount; n++) { model = new ModelUser(); model.userid = (int)dt.Rows[n]["userid"]; model.username = dt.Rows[n]["username"].ToString(); model.useremail = dt.Rows[n]["useremail"].ToString(); model.userpassword = dt.Rows[n]["userpassword"].ToString(); modelList.Add(model); } } return modelList; } static DataTable GetTable() { // Here we create a DataTable with four columns. DataTable table = new DataTable(); table.Columns.Add("userid", typeof(int)); table.Columns.Add("username", typeof(string)); table.Columns.Add("useremail", typeof(string)); table.Columns.Add("userpassword", typeof(string)); // Here we add five DataRows. table.Rows.Add(25, "Jame", "[email protected]", DateTime.Now.ToString()); table.Rows.Add(50, "luci", "[email protected]", DateTime.Now.ToString()); table.Rows.Add(10, "Andrey", "[email protected]", DateTime.Now.ToString()); table.Rows.Add(21, "Michael", "[email protected]", DateTime.Now.ToString()); table.Rows.Add(100, "Steven", "[email protected]", DateTime.Now.ToString()); return table; } protected void Page_Load(object sender, EventArgs e) { List<ModelUser> userList = new List<ModelUser>(); DataTable dt = GetTable(); userList = DataTableToList(dt); gv.DataSource = userList; gv.DataBind(); }[enter image description here][1]
la source
Nous pouvons utiliser une méthode générique pour convertir en
DataTable
auList
lieu de convertir manuellement unDataTable
enList
.Remarque: les
DataTable
'sColumnName
etType
'PropertyName
doivent être identiques.Appelez la méthode ci-dessous:
long result = Utilities.ConvertTo<Student>(dt ,out listStudent); // Generic Method public class Utilities { public static long ConvertTo<T>(DataTable table, out List<T> entity) { long returnCode = -1; entity = null; if (table == null) { return -1; } try { entity = ConvertTo<T>(table.Rows); returnCode = 0; } catch (Exception ex) { returnCode = 1000; } return returnCode; } static List<T> ConvertTo<T>(DataRowCollection rows) { List<T> list = null; if (rows != null) { list = new List<T>(); foreach (DataRow row in rows) { T item = CreateItem<T>(row); list.Add(item); } } return list; } static T CreateItem<T>(DataRow row) { string str = string.Empty; string strObj = string.Empty; T obj = default(T); if (row != null) { obj = Activator.CreateInstance<T>(); strObj = obj.ToString(); NameValueCollection objDictionary = new NameValueCollection(); foreach (DataColumn column in row.Table.Columns) { PropertyInfo prop = obj.GetType().GetProperty(column.ColumnName); if (prop != null) { str = column.ColumnName; try { objDictionary.Add(str, row[str].ToString()); object value = row[column.ColumnName]; Type vType = obj.GetType(); if (value == DBNull.Value) { if (vType == typeof(int) || vType == typeof(Int16) || vType == typeof(Int32) || vType == typeof(Int64) || vType == typeof(decimal) || vType == typeof(float) || vType == typeof(double)) { value = 0; } else if (vType == typeof(bool)) { value = false; } else if (vType == typeof(DateTime)) { value = DateTime.MaxValue; } else { value = null; } prop.SetValue(obj, value, null); } else { prop.SetValue(obj, value, null); } } catch(Exception ex) { } } } PropertyInfo ActionProp = obj.GetType().GetProperty("ActionTemplateValue"); if (ActionProp != null) { object ActionValue = objDictionary; ActionProp.SetValue(obj, ActionValue, null); } } return obj; } }
la source
Vous pouvez utiliser une méthode générique comme celle pour datatable à liste générique
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); if (propertyInfo.PropertyType.IsEnum) { propertyInfo.SetValue(obj, Enum.Parse(propertyInfo.PropertyType, row[prop.Name].ToString())); } else { propertyInfo.SetValue(obj, Convert.ChangeType(row[prop.Name], propertyInfo.PropertyType), null); } } catch { continue; } } list.Add(obj); } return list; } catch { return null; } }
la source
Conversion
DataTable
en génériqueDictionary
public static Dictionary<object,IList<dynamic>> DataTable2Dictionary(DataTable dt) { Dictionary<object, IList<dynamic>> dict = new Dictionary<dynamic, IList<dynamic>>(); foreach(DataColumn column in dt.Columns) { IList<dynamic> ts = dt.AsEnumerable() .Select(r => r.Field<dynamic>(column.ToString())) .ToList(); dict.Add(column, ts); } return dict; }
la source
Utiliser l'extension:
public static class Extensions { #region Convert Datatable To List public static IList<T> ToList<T>(this DataTable table) where T : new() { IList<PropertyInfo> properties = typeof(T).GetProperties().ToList(); IList<T> result = new List<T>(); foreach (var row in table.Rows) { var item = CreateItemFromRow<T>((DataRow)row, properties); result.Add(item); } return result; } private static T CreateItemFromRow<T>(DataRow row, IList<PropertyInfo> properties) where T : new() { T item = new T(); foreach (var property in properties) { property.SetValue(item, row[property.Name], null); } return item; } #endregion }
la source
Pour affecter les lignes DataTable à la liste générique de classe
List<Candidate> temp = new List<Candidate>();//List that holds the Candidate Class, //Note:The Candidate class contains RollNo,Name and Department //tb is DataTable temp = (from DataRow dr in tb.Rows select new Candidate() { RollNO = Convert.ToInt32(dr["RollNO"]), Name = dr["Name"].ToString(), Department = dr["Department"].ToString(), }).ToList();
la source
vous pouvez utiliser les deux fonctions génériques suivantes
private static List<T> ConvertDataTable<T>(DataTable dt) { List<T> data = new List<T>(); foreach (DataRow row in dt.Rows) { T item = GetItem<T>(row); data.Add(item); } return data; } private static T GetItem<T>(DataRow dr) { Type temp = typeof(T); T obj = Activator.CreateInstance<T>(); foreach (DataColumn column in dr.Table.Columns) { foreach (PropertyInfo pro in temp.GetProperties()) { if (pro.Name == column.ColumnName) pro.SetValue(obj, dr[column.ColumnName].ToString(), null); else continue; } } return obj; }
et utilisez-le comme suit
la source
lPerson = dt.AsEnumerable().Select(s => new Person() { Name = s.Field<string>("Name"), SurName = s.Field<string>("SurName"), Age = s.Field<int>("Age"), InsertDate = s.Field<DateTime>("InsertDate") }).ToList();
Lien vers l' exemple de travail de DotNetFiddle
using System; using System.Collections.Generic; using System.Data; using System.Linq; using System.Data.DataSetExtensions; public static void Main() { DataTable dt = new DataTable(); dt.Columns.Add("Name", typeof(string)); dt.Columns.Add("SurName", typeof(string)); dt.Columns.Add("Age", typeof(int)); dt.Columns.Add("InsertDate", typeof(DateTime)); var row1= dt.NewRow(); row1["Name"] = "Adam"; row1["SurName"] = "Adam"; row1["Age"] = 20; row1["InsertDate"] = new DateTime(2020, 1, 1); dt.Rows.Add(row1); var row2 = dt.NewRow(); row2["Name"] = "John"; row2["SurName"] = "Smith"; row2["Age"] = 25; row2["InsertDate"] = new DateTime(2020, 3, 12); dt.Rows.Add(row2); var row3 = dt.NewRow(); row3["Name"] = "Jack"; row3["SurName"] = "Strong"; row3["Age"] = 32; row3["InsertDate"] = new DateTime(2020, 5, 20); dt.Rows.Add(row3); List<Person> lPerson = new List<Person>(); lPerson = dt.AsEnumerable().Select(s => new Person() { Name = s.Field<string>("Name"), SurName = s.Field<string>("SurName"), Age = s.Field<int>("Age"), InsertDate = s.Field<DateTime>("InsertDate") }).ToList(); foreach(Person pers in lPerson) { Console.WriteLine("{0} {1} {2} {3}", pers.Name, pers.SurName, pers.Age, pers.InsertDate); } } public class Person { public string Name { get; set; } public string SurName { get; set; } public int Age { get; set; } public DateTime InsertDate { get; set; } }
}
la source
Si quelqu'un veut créer une fonction personnalisée pour convertir datatable en liste
class Program { static void Main(string[] args) { DataTable table = GetDataTable(); var sw = new Stopwatch(); sw.Start(); LinqMethod(table); sw.Stop(); Console.WriteLine("Elapsed time for Linq Method={0}", sw.ElapsedMilliseconds); sw.Reset(); sw.Start(); ForEachMethod(table); sw.Stop(); Console.WriteLine("Elapsed time for Foreach method={0}", sw.ElapsedMilliseconds); Console.ReadKey(); } private static DataTable GetDataTable() { var table = new DataTable(); table.Columns.Add("ID", typeof(double)); table.Columns.Add("CategoryName", typeof(string)); table.Columns.Add("Active", typeof(double)); var rand = new Random(); for (int i = 0; i < 100000; i++) { table.Rows.Add(i, "name" + i, rand.Next(0, 2)); } return table; } private static void LinqMethod(DataTable table) { var list = table.AsEnumerable() .Skip(1) .Select(dr => new Category { Id = Convert.ToInt32(dr.Field<double>("ID")), CategoryName = dr.Field<string>("CategoryName"), IsActive = dr.Field<double>("Active") == 1 ? true : false }).ToList(); } private static void ForEachMethod(DataTable table) { var categoryList = new List<Category>(table.Rows.Count); foreach (DataRow row in table.Rows) { var values = row.ItemArray; var category = new Category() { Id = Convert.ToInt32(values[0]), CategoryName = Convert.ToString(values[1]), IsActive = (double)values[2] == 1 ? true : false }; categoryList.Add(category); } } private class Category { public int Id { get; set; } public string CategoryName { get; set; } public bool IsActive { get; set; } } }
Si nous exécutons le code ci-dessus, la méthode Foreach se termine en 56 ms tandis que linq one prend 101 ms (pour 1000 enregistrements). Il est donc préférable d'utiliser la méthode Foreach. Source: Façons de convertir une table de données en liste en C # (avec un exemple de test de performances)
la source