如果为空白,则如何将DataGridView中的特定列设置为0



在此示例中,我正在单独循环通过每个单元格。
但是,我有一个名称列和另一个可选的列,我想避免使用。因此,我宁愿循环浏览一组没有可选的列,但我不确定如何。

这就是我进行彻底扫荡的方式:

foreach (DataGridViewRow row in DGVExcel.Rows)
{
    for (int i = 0; i < row.Cells.Count; i++)
    {
        if (row.Cells[i].Value == null || row.Cells[i].Value == DBNull.Value ||
            String.IsNullOrWhiteSpace(row.Cells[i].Value.ToString()))
        {
            row.Cells[i].Value = 0;
            //DGVExcel.RefreshEdit();
        }
    }
}

但是,我有一个名称列[...],所以我宁愿通过特定列循环

如果我正确理解您,您可以获得列的索引,您可以跳过一个循环:

int colindex = DGVExcel.Columns["SpecificColumnName"].Index;
foreach (var row in DGVExcel.Rows)
{
    if (row.Cells[colindex].Value == null || row.Cells[colindex].Value == DBNull.Value ||
            String.IsNullOrWhiteSpace(row.Cells[colindex].Value.ToString()))
    {
        row.Cells[colindex].Value = 0;
        //DGVExcel.RefreshEdit();
    }
}

编辑

是否有一种方法可以列出排除的列,而不是随附的列,因为列出每个列都是凌乱

在这种情况下,我会留下2个for-loops。基本上,您可以将所有名称保存在列表中,并检查它是否包含当前列的名称,如果不包含0替换。

List<string> ExcludedColumnsList = new List<string> { "ExcludedColumnName_1", "ExcludedColumnName_2" };           
foreach (DataGridViewRow row in DGVExcel.Rows)
{
    for (int i = 0; i < row.Cells.Count; i++)
    {
        if (!ExcludedColumnsList.Contains(DGVExcel.Columns[i].Name))
        {
            if (row.Cells[i].Value == null || row.Cells[i].Value == DBNull.Value ||
                    String.IsNullOrWhiteSpace(row.Cells[i].Value.ToString()))
            {
                row.Cells[i].Value = 0;
                //DGVExcel.RefreshEdit();
            }
        }
    }
}

另一个选项也可能是使用Linq。获得除排除的列以外的所有索引,并且仅通过这些索引来获取以下索引:

List<string> ExcludedColumnsList = new List<string> { "ExcludedColumnName_1", "ExcludedColumnName_2" }; 
List<int> indexList = dataGridView1.Columns.Cast<DataGridViewColumn>()
            .Where(x => !ExcludedColumnsList.Contains(x.Name))
            .Select(x => x.Index).ToList();
foreach (DataGridViewRow row in DGVExcel.Rows)
{
    foreach (int i in indexList)
    { 
        if (row.Cells[i].Value == null || row.Cells[i].Value == DBNull.Value ||
                String.IsNullOrWhiteSpace(row.Cells[i].Value.ToString()))
        {
            row.Cells[i].Value = 0;
            //DGVExcel.RefreshEdit();
        }
    }
}

相关内容

  • 没有找到相关文章

最新更新