DataGridView中的复选框未激发CellValueChanged事件
本文关键字:CellValueChanged 事件 复选框 DataGridView | 更新日期: 2023-09-27 18:19:50
我使用的是以下代码:
// Cell value change event.
private void dataGridView1_CellValueChanged(object sender, DataGridViewCellEventArgs e)
{
if ((bool)dataGridView1.CurrentCell.Value == true) MessageBox.Show("true");
if ((bool)dataGridView1.CurrentCell.Value == false) MessageBox.Show("false");
MessageBox.Show(dataGridView1.CurrentCell.Value.ToString());
}
它适用于所有列,除了一列带有复选框(DataGridViewCheckBoxColumn
)
我需要知道复选框列中的值(true或false)。
我该怎么办?
使用DataGridViewCheckBoxColumn
有时会有点棘手,因为有些规则专门适用于此列类型的Cells
。此代码应处理您遇到的问题。
单击单元格时,CurrentCellDirtyStateChanged
事件会立即提交更改。在调用CommitEdit
方法时手动引发CellValueChanged
事件。
private void dataGridView1_CellValueChanged(object sender, DataGridViewCellEventArgs e)
{
if (dataGridView1.CurrentCell == null) return;
if ((bool)dataGridView1.CurrentCell.Value == true) MessageBox.Show("true");
if ((bool)dataGridView1.CurrentCell.Value == false) MessageBox.Show("false");
MessageBox.Show(dataGridView1.CurrentCell.Value.ToString());
}
private void dataGridView1_CurrentCellDirtyStateChanged(object sender, EventArgs e)
{
if (dataGridView1.IsCurrentCellDirty)
{
dataGridView1.CommitEdit(DataGridViewDataErrorContexts.Commit);
}
}
有关使用DataGridViewCheckBoxCell
的更多信息,请访问此处。
MSDN在这里说CellValueChanged在单元格失去焦点之前不会启动。
一些解决方案:
DataGridView.CellContent单击
http://codingeverything.blogspot.com/2013/01/firing-datagridview-cellvaluechanged.html
我提出了一个稍微不同的解决方案。
我使用CurrentCellDirtyStateChanged事件来检查该列是否为复选框列,如果是,我手动触发CellValueChanged事件,如下所示:
if (DGV_Charge.CurrentCell.ColumnIndex == 0) DGV_Charge_CellValueChanged(null, new DataGridViewCellEventArgs(DGV_Charge.CurrentCell.ColumnIndex, DGV_Charge.CurrentCell.RowIndex));
最好的方法是通过创建自己的网格来扩展网格,并准备好这些各种"技巧"。相信我,这个网格中有很多东西需要调整。
建议使用的代码
Public Class MyGrid
Inherits Windows.Forms.DataGridView
Private Sub MyGrid_CurrentCellDirtyStateChanged(ByVal sender As Object, ByVal e As System.EventArgs) _
Handles Me.CurrentCellDirtyStateChanged
If Me.IsCurrentCellDirty AndAlso Not Me.CurrentCell Is Nothing Then
If TypeOf Me.Columns(Me.CurrentCell.ColumnIndex) Is DataGridViewCheckBoxColumn Then
Me.CommitEdit(DataGridViewDataErrorContexts.Commit) 'imediate commit, not only on focus changed
End If
End If
End Sub
Private Sub MyGrid_CellValueChanged(ByVal sender As Object, ByVal e As System.Windows.Forms.DataGridViewCellEventArgs)
Handles Me.CellValueChanged
If e.RowIndex >= 0 AndAlso e.ColumnIndex >= 0 Then
Dim Checked As Boolean = False
If TypeOf Me.Columns(e.ColumnIndex) Is DataGridViewCheckBoxColumn Then
'avoid erros
Checked = Me.CellChecked(e.RowIndex, e.ColumnIndex)
End If
RaiseEvent Change(e.RowIndex, e.ColumnIndex, Checked)
End If
End Sub
End Class