List
, DataTable
The DataGridView
control can display a List
. This can be done by converting the List
to a DataTable
first.
With some custom List
-to-DataTable
conversion logic, we get the best performance from the DataGridView
by using the DataSource
property.
This example shows a List
of string
arrays. This is a data structure that could be parsed from a text file easily, as with the Split
method.
ConvertListToDataTable
method, which converts a List
to a DataTable
.DataTable
. Next, we find the maximum number of columns that will be required by looping through the input List
.DataTable
.using System; using System.Collections.Generic; using System.Data; using System.Windows.Forms; namespace WindowsFormsApplication1 { public partial class Form1 : Form { public Form1() { InitializeComponent(); } private void Form1_Load(object sender, EventArgs e) { // Example list. List<string[]> list = new List<string[]>(); list.Add(new string[] { "Column 1", "Column 2", "Column 3" }); list.Add(new string[] { "Row 2", "Row 2" }); list.Add(new string[] { "Row 3" }); // Convert to DataTable. DataTable table = ConvertListToDataTable(list); dataGridView1.DataSource = table; } static DataTable ConvertListToDataTable(List<string[]> list) { // New table. DataTable table = new DataTable(); // Get max columns. int columns = 0; foreach (var array in list) { if (array.Length > columns) { columns = array.Length; } } // Add columns. for (int i = 0; i < columns; i++) { table.Columns.Add(); } // Add rows. foreach (var array in list) { table.Rows.Add(array); } return table; } } }
DataSource
Once we have a DataTable
instance, it is appropriate to assign it to the DataSource
property. Assigning the List
to the DataSource
will not work correctly.
DataSource
provides the best performance for displaying large amounts of data instantly in a DataGridView
.DataTable
can be used as an optimization. Using controls in Windows Forms or WPF directly often results in rendering.
DataGridView
or similar controls, processing the data first seems like it might be slower, but it ends up much faster.We converted a List
of string
arrays into a DataTable
. This yielded a collection that can be displayed in a DataGridView
with the DataSource
property. Our code was effective.