web-dev-qa-db-ja.com

データビューをC#のデータテーブルにコピーする最も簡単な方法は?

データビューをデータテーブルにコピーする必要があります。そのための唯一の方法は、データビューをアイテムごとに繰り返し、データテーブルにコピーすることだと思われます。より良い方法が必要です。

16
Ravedave
_dt = DataView.ToTable()
_

OR

dt = DataView.Table.Copy()

OR

dt = DataView.Table.Clone();

47
Jose Basilio

式のある列があるため、私の状況では答えが機能しません。 DataView.ToTable()は値のみをコピーし、式はコピーしません。

最初に私はこれを試しました:

//clone the source table
DataTable filtered = dt.Clone();

//fill the clone with the filtered rows
foreach (DataRowView drv in dt.DefaultView)
{
    filtered.Rows.Add(drv.Row.ItemArray);
}
dt = filtered;

しかし、そのソリューションは、1000行だけでも非常に低速でした。

私のために働いた解決策は次のとおりです。

//create a DataTable from the filtered DataView
DataTable filtered = dt.DefaultView.ToTable();

//loop through the columns of the source table and copy the expression to the new table
foreach (DataColumn dc in dt.Columns) 
{
    if (dc.Expression != "")
    {
        filtered.Columns[dc.ColumnName].Expression = dc.Expression;
    }
}
dt = filtered;
3
Homer