web-dev-qa-db-ja.com

DataGridViewのコンテンツをC#のリストに変換します

DataGridViewのコンテンツを取得し、それらの値をC#のリストに配置するための最良の方法は何ですか?

12
Joseph U.
        List<MyItem> items = new List<MyItem>();
        foreach (DataGridViewRow dr in dataGridView1.Rows)
        {
            MyItem item = new MyItem();
            foreach (DataGridViewCell dc in dr.Cells)
            { 
                ...build out MyItem....based on DataGridViewCell.OwningColumn and DataGridViewCell.Value  
            }

            items.Add(item);
        }
13
Aaron McIver

データソースを使用してリストをバインドする場合は、次の方法で元に戻すことができます。

List<Class> myClass = DataGridView.DataSource as List<Class>;
6
Omer K
var Result = dataGridView1.Rows.OfType<DataGridViewRow>().Select(
            r => r.Cells.OfType<DataGridViewCell>().Select(c => c.Value).ToArray()).ToList();

または値の文字列辞書を取得するには

var Result = dataGridView1.Rows.OfType<DataGridViewRow>().Select(
            r => r.Cells.OfType<DataGridViewCell>().ToDictionary(c => dataGridView1.Columns[c.OwningColumn].HeaderText, c => (c.Value ?? "").ToString()
                ).ToList();
4
user287107

またはlinqの方法

var list = (from row in dataGridView1.Rows.Cast<DataGridViewRow>()
           from cell in row.Cells.Cast<DataGridViewCell>()
           select new 
           {
             //project into your new class from the row and cell vars.
           }).ToList();
4
Tim Jarvis

IEnumerable.OfType<TResult>拡張メソッドはここであなたの親友になることができます。 LINQクエリを使用してこれを行う方法は次のとおりです。

List<MyItem> items = new List<MyItem>();
dataGridView1.Rows.OfType<DataGridViewRow>().ToList<DataGridViewRow>().ForEach(
                row =>
                {
                    foreach (DataGridViewCell cell in row.Cells)
                    {
                        //I've assumed imaginary properties ColName and ColValue in MyItem class
                        items.Add(new MyItem { ColName = cell.OwningColumn.Name, ColValue = cell.Value });
                    }
                });
1
RBT