如何在不使用索引的情况下从 datagridview 中删除多行?

How to remove multiple row from datagridview without using index?

我想从 datagridview 中删除多行, 我尝试了下面的代码,这里的行是根据索引删除的。

for (int m = 0; m < dataGridView3.Rows.Count - 1; m++)
        {
            if (dataGridView3.Rows[m].Cells[2].Value != null)
            {
                for (int n = 0; n < dataGridView2.Rows.Count - 1; n++)
                {
                    if (dataGridView2.Rows[n].Cells[2].Value != null)
                    {

                        if (dataGridView2.Rows[n].Cells[2].Value.Equals(dataGridView3.Rows[m].Cells[2].Value) &&
                            dataGridView2.Rows[n].Cells[8].Value.Equals(dataGridView3.Rows[m].Cells[8].Value))
                        {
                            dataGridView2.Rows.RemoveAt(n);
                            //break;
                        }
                    }
                }
            }
        }

这里的行没有被正确删除,因为索引在每次删除后都会改变,所以一些记录在循环中丢失了。

谁能帮我解决这个问题?

如果您要在像这样循环访问集合时从集合中删除项目,则需要反向处理行集合:

// start with the last row, and work towards the first
for (int n = dataGridView2.Rows.Count - 1; n >= 0; n--)
{
    if (dataGridView2.Rows[n].Cells[2].Value != null)
    {
        if (dataGridView2.Rows[n].Cells[2].Value.Equals(dataGridView3.Rows[m].Cells[2].Value) &&
            dataGridView2.Rows[n].Cells[8].Value.Equals(dataGridView3.Rows[m].Cells[8].Value))
        {
            dataGridView2.Rows.RemoveAt(n);
            //break;
        }
    }
}

或者,您可以先使用 LINQ 找到您的匹配项,然后然后删除它们:

var rowToMatch = dataGridView3.Rows[m];

var matches =
    dataGridView2.Rows.Cast<DataGridViewRow>()
                 .Where(row => row.Cells[2].Value.Equals(rowToMatch.Cells[2].Value)
                               && row.Cells[8].Value.Equals(rowToMatch.Cells[8].Value))
                 .ToList();

foreach (var match in matches)
    dataGridView2.Rows.Remove(match);

只是为了减少维护时的头痛,您可能也想使用列名而不是列索引...只是一个想法。