我有一个DataGridView dgView,我填充了几个不同的表单,例如一个DataGridViewCheckBoxColumn。为了处理事件,我添加了
private void InitializeComponent()
{
...
this.CellClick += new System.Windows.Forms.DataGridViewCellEventHandler(this.dgView_CellClick);
...
}
实现如下:
private void dgView_CellClick(object sender, DataGridViewCellEventArgs e)
{
if (Columns[e.ColumnIndex].Name == "Name of CheckBoxColumn") // this is valid and returns true
{
Console.WriteLine("Handle single click!");
// How to get the state of the CheckBoxColumn now ??
}
}
这是我被困的地方。我已经尝试了不同的方法,但根本没有成功:
DataGridViewCheckBoxColumn cbCol = Rows[e.RowIndex].Cells[e.ColumnIndex] as DataGridViewCheckBoxColumn; // does not work
DataGridViewCheckBoxColumn cbCol = (DataGridViewCheckBoxColumn)sender; // nor this
if (bool.TryParse(Rows[e.RowIndex].Cells[e.ColumnIndex].EditedFormattedValue.ToString(), out isBool)) // nor this
{ ... }
有人能指出如何检索此CheckBoxColumn的状态吗?此外,是否存在任何其他事件直接解决CheckBoxColumn? (例如“ValueChanged”或其他)
更新 方法
DataGridViewCell dgvCell = Rows[e.RowIndex].Cells[e.ColumnIndex];
Console.WriteLine(dgvCell.Value);
至少在之前返回true / false 通过单击单元格来改变(或不改变)值。但总而言之,应该有一个解决方案来直接解决CheckBoxColumn。
解决方案: 有时回答太明显了。我遇到的问题是单击单元格时单击复选框时触发事件“CellClick”。因此,正确处理是使用“CellValueChanged”事件:
private void InitializeComponent()
{
...
this.CellValueChanged += new System.Windows.Forms.DataGridViewCellEventHandler(this.dgView_CellValueChanged);
...
}
要确定复选框的值,我使用与上述相同的方法:
if (e.ColumnIndex != -1 && Columns[e.ColumnIndex].Name == "Name of Checkbox")
{
bool cbVal = Rows[e.RowIndex].Cells[e.ColumnIndex].Value;
}
答案 0 :(得分:0)
操纵UI组件的一种方法是使用数据绑定。 See for example:
<DataGrid.Columns>
<DataGridCheckBoxColumn Header="Online Order?" IsThreeState="True" Binding="{Binding OnlineOrderFlag}" />
</DataGrid.Columns>
This链接详细介绍了DataGrid的用法。 但无论如何,您是否尝试过将QuickWatch发送给发件人,看看它的类型是什么?
答案 1 :(得分:0)
您可以将单元格转换为复选框并检查是否在那里检查...
CheckBox chkb = (CheckBox)Rows[e.RowIndex].FindControl("NameOfYourControl");
然后只是检查chkb
if (chkb.Checked == true)
{
//do stuff here...
}
答案 2 :(得分:0)
您可以简单地将单元格的值转换为bool
//check if it's the good column
bool result = Rows[e.RowIndex].Cells[e.ColumnIndex].Value;
编辑:我可能在你的问题中遗漏了一些东西,但如果你更新/添加细节,我会看看
编辑2:评论后,
如果你想在单元格中单击它,只需反转它给你的值。
bool result = !Rows[e.RowIndex].Cells[e.ColumnIndex].Value;
答案 3 :(得分:0)
正确处理是使用“CellValueChanged”事件:
private void InitializeComponent()
{
...
this.CellValueChanged += new System.Windows.Forms.DataGridViewCellEventHandler(this.dgView_CellValueChanged);
...
}
确定复选框的值:
private void dgView_CellValueChanged(object sender, DataGridViewCellEventArgs e)
{
if (e.ColumnIndex != -1 && Columns[e.ColumnIndex].Name == "Name of Checkbox")
{
Console.WriteLine( Rows[e.RowIndex].Cells[e.ColumnIndex].Value );
}
}