-2

我需要从数据表中删除所有行的值为 0 的列。或者换句话说,其中 sum 为 0。

1 2  5   99.9 442.25 221 0
1 2 77.7 889  898     55 0
9 0 66   42    55      0 0

在此示例中,应删除最后一列。

这该怎么做?

4

2 回答 2

1
DataTable dt;
int dataWidth = 5;  //use a loop or something to determine how many columns will have data
bool[] emptyCols = new bool[datawidth];  //initialize all values to true
foreach(Row r in dt)
{
    for(int i = 0; i < dataWidth; i++)
    {
        if(r[i].Contents != 0))
           emptyCols[i] = false;
    }
}

for(int i = 0; i < emptyCols.Length; i++)
{
     if(emptyCols[i])
        dt.Columns.RemoveAt(i);
}

我还没有测试过,但我用 excel 列做了类似的事情。基本逻辑就在那里,我不知道我所有的增量或行编号是否完全正确。我相信我使用的大多数功能也是可用的。

于 2012-08-03T21:46:15.760 回答
1

第一的:

protected Boolean IsColumnZero(DataTable dt, string columnName)
{
    foreach (DataRow row in dt.Rows) 
        if ((int)row[columnName] != 0) return false;        
    return true;
}

然后你可以:

    //create table
    DataTable table = new DataTable();
    table.Columns.Add("caliber", typeof(int));
    table.Columns.Add("barrel", typeof(int));

    table.Rows.Add(762, 0);
    table.Rows.Add(556, 0);
    table.Rows.Add(900, 0);

    //delete zero value columns
    List<string> columnsToDelete = new List<string>();

    foreach (DataColumn column in table.Columns) 
        if (IsColumnZero(table, column.ColumnName)) 
            columnsToDelete.Add(column.ColumnName);

    foreach (string ctd in columnsToDelete) table.Columns.Remove(ctd);

    //show results
    GridView1.DataSource = table;
    GridView1.DataBind();
于 2012-08-03T22:29:59.587 回答