Wednesday, March 6, 2013

Convert object into DataTable C#

Recently I got a requirement in a project to convert own type of object to DataTable. Here I am sharing my code with you.

Steps

1. Create datatable and give a name
DataTable dt = new DataTable();
dt.TableName = "localVehicleDetails";
view raw gistfile1.txt hosted with ❤ by GitHub
2. Create Column Names
foreach (PropertyInfo property in vehicle.GetType().GetProperties())
{
dt.Columns.Add(new DataColumn(property.Name, property.PropertyType));
}
view raw gistfile1.cs hosted with ❤ by GitHub
3. Create a Data Row
DataRow newRow = dt.NewRow();
view raw gistfile1.cs hosted with ❤ by GitHub
4. Add Data in to DataRow
foreach (PropertyInfo property in vehicle.GetType().GetProperties())
{
newRow[property.Name] = vehicle.GetType().GetProperty(property.Name).GetValue(vehicle, null);
}
view raw gistfile1.cs hosted with ❤ by GitHub
5. Add DataRow to DataTable
dt.Rows.Add(newRow);
view raw gistfile1.cs hosted with ❤ by GitHub
Thats it...
Here some Extended Method to how to use this method
public static DataTable SetVehiclesDetails(List<VehicleDetails> vehicleDetailsList)
{
DataTable dt = new DataTable();
try
{
dt.TableName = "localVehicleDetails";
foreach (PropertyInfo property in vehicleDetailsList[0].GetType().GetProperties())
{
dt.Columns.Add(new DataColumn(property.Name, property.PropertyType));
}
foreach (var vehicle in vehicleDetailsList)
{
DataRow newRow = dt.NewRow();
foreach (PropertyInfo property in vehicle.GetType().GetProperties())
{
newRow[property.Name] = vehicle.GetType().GetProperty(property.Name).GetValue(vehicle, null);
}
dt.Rows.Add(newRow);
}
return dt;
}
catch (Exception ex)
{
Console.WriteLine(ex.ToString());
return null;
}
}
view raw gistfile1.cs hosted with ❤ by GitHub
https://github.com/cbjpdev/DataTableX