0

我有一个DataGridViewComboBox列和一TextBox列动态创建如下

DataGridViewComboBoxColumn dcColor = new DataGridViewComboBoxColumn();
dcColor.HeaderText = "Color";
dcColor.Items.Add("Red");
dcColor.Items.Add("Green");

DataGridViewTextBoxColumn dcValue = new DataGridViewTextBoxColumn();
dcValue.HeaderText = "Value";

DataGridView1.Columns.Insert(0, dcColor);
DataGridView1.Columns.Insert(1, dcValue);

现在,如果用户在 ComboBox 中选择“Red”项,则应禁用相应的 TextBox 单元格并以灰色显示。
如果用户选择“绿色”项,则应启用相应的 TextBox 单元格。

此外,我们如何确保在关闭 datagridview 表单之前选择绿色时用户输入数据。

4

2 回答 2

0

以下代码适用于 ComboBox 中的项目选择

private void _DataGridView_EditingControlShowing(object sender, DataGridViewEditingControlShowingEventArgs e)
{
    if ((sender as DataGridView).SelectedCells[0].GetType() == typeof(DataGridViewComboBoxCell))
    {
        if ((e.Control as ComboBox) != null)
        {
            (e.Control as ComboBox).SelectedIndexChanged -= new EventHandler(ComboBox_SelectedIndexChanged);
            (e.Control as ComboBox).SelectedIndexChanged += new EventHandler(ComboBox_SelectedIndexChanged);
        }
    }
}

private void ComboBox_SelectedIndexChanged(object sender, EventArgs e)
{
    if ((sender as ComboBox).SelectedItem.ToString() == "Red")
    {
        _DataGridView.Rows[_DataGridView.CurrentCell.RowIndex].Cells[1].ReadOnly = true;
    }
    else 
    { 
        _DataGridView.Rows[_DataGridView.CurrentCell.RowIndex].Cells[1].ReadOnly = false;  
    }
}
于 2013-07-17T02:21:39.953 回答
0

使用 DataGridView 的 CellValueChanged-Event,检查是否有任何单元格值发生了变化。对于所有列类型,无论是 TextBoxColumn 还是 ComboBoxColumn,这都是相同的。

检查正确的列,在您的示例中,颜色列插入位置 0。在您的示例中,索引 1 上的其他列设置为仅在选择“红色”时读取。

private void dataGridView1_CellValueChanged(object sender, DataGridViewCellEventArgs e) {
    if (e.ColumnIndex == 0) {
        bool disable = dataGridView1.Rows[e.RowIndex].Cells[e.ColumnIndex].Value.ToString() == "Red";
        dataGridView1.Rows[e.RowIndex].Cells[1].ReadOnly = disable;
    }
}

第二个问题的答案是使用表单的 FormClosing-Event 并验证其中的行。e.Cancel = true如果数据不正确,您可以通过设置取消关闭请求。

于 2013-07-16T18:45:02.393 回答