DataGridView:对所有选定的行应用编辑

时间:2012-03-14 13:32:29

标签: c# winforms datagridview

我有一个绑定到POCO对象列表的DataGridView。其中一个POCO属性是bool,由复选框表示。我想要的是能够选择多行,然后当我单击其中一个复选框时,所有突出显示的行都选中了它们的复选框。举例来说,如果您在VS 2010下使用TFS,我正试图在Pending Changes屏幕上复制该行为。

我的问题是我找不到合适的事件来听。大多数DataGridView点击事件似乎都在列/行级别运行,我想要点击复选框时触发的内容。 CellContentClick最接近,但在取消选择行之后会触发,因此无法正常工作。

有人有任何建议吗?

2 个答案:

答案 0 :(得分:12)

您可以在Checkbox值更改时使用CurrentCellDirtyStateChanged。但是当这个事件触发时,选择的行将会消失。你应该做的就是在它之前保存选定的行。

一个简单的示例:您可以轻松完成它。

DataGridViewSelectedRowCollection selected;

private void dataGridView1_CurrentCellDirtyStateChanged(object sender, EventArgs e)
{
    DataGridView dgv = (DataGridView)sender;
    DataGridViewCell cell = dgv.CurrentCell;
    if (cell.RowIndex >= 0 && cell.ColumnIndex == 1) // My checkbox column
    {
        // If checkbox value changed, copy it's value to all selectedrows
        bool checkvalue = false;
        if (dgv.Rows[cell.RowIndex].Cells[cell.ColumnIndex].EditedFormattedValue != null && dgv.Rows[cell.RowIndex].Cells[cell.ColumnIndex].EditedFormattedValue.Equals(true))
            checkvalue = true;

        for (int i=0; i<selected.Count; i++)
            dgv.Rows[selected[i].Index].Cells[cell.ColumnIndex].Value = checkvalue;
    }

    dataGridView1.CommitEdit(DataGridViewDataErrorContexts.Commit);
}

private void dataGridView1_CellMouseDown(object sender, DataGridViewCellMouseEventArgs e)
{
    selected = dataGridView1.SelectedRows;
}

答案 1 :(得分:1)

这不是一个好设计,但您可以尝试使用MouseDown事件(将在网格更改选择之前触发)和HitTest(以了解用户点击的位置):

private void dataGridView1_MouseDown(object sender, MouseEventArgs e)
{
    var hitTest = this.dataGridView1.HitTest(e.X, e.Y);
    if (hitTest.Type == DataGridViewHitTestType.Cell && hitTest.ColumnIndex == 0 /* set correct column index */)
    {
        foreach (DataGridViewRow row in this.dataGridView1.Rows)
        { 
            // Toggle
            row.Cells[0].Value = !((bool)row.Cells[0].Value);
        }
    }
}