在编辑模式下更改datagridview单元格值

本文关键字:datagridview 单元格 编辑 模式 | 更新日期: 2023-09-27 18:08:04

我在datagridview中有一个单元格,我在其中以自定义格式显示时间。我需要当used进入编辑模式时(例如双击),我需要将字符串值更改为以分钟为单位表示时间的整数。

当我尝试在"CellEnter"事件中更改单元格值时,它似乎没有响应。实际上,在任何事件中它似乎都不会改变单元格的值。

请不要介意将时间转换为字符串的细节,反之亦然,我的问题是,当用户双击单元格时,我如何才能成功地更改单元格的内容。

Edit (code + solution):我所做的是使用另一列来存储实际值(没有格式化)。在该列的单元格格式上,我将值传递给自定义格式函数以填充我的列。

private void gridview_DataBindingComplete(object sender, DataGridViewBindingCompleteEventArgs e)
{
    if (e.ColumnIndex == 3 && e.Value != null && e.Value.ToString() != "")
    {
        //fill the unbound textbox column (5) from raw value column (3)
        string newValue = TimeAttendanceHelper.FormatHourlyDuration(e.Value);
        gridview.Rows[e.RowIndex].Cells[5].Value = newValue;
    }
}

然后感谢TaW,在CellBeginEdit上,我显示了原始值来编辑它:

private void gridview_CellBeginEdit(object sender, DataGridViewCellCancelEventArgs e)
{
    if (e.ColumnIndex == 5)
    {
        //on editing, use the value from raw data column (3)
        gridview.Rows[e.RowIndex].Cells[5].Value = gridview.Rows[e.RowIndex].Cells[3].Value;
    }
}

最后,当CellEndEdit时,我重新格式化新值:

private void gridview_CellEndEdit(object sender, DataGridViewCellEventArgs e)
{
    if (e.ColumnIndex == 4)
    {
        //update value both in columns 3 & 5
        string newValue = tIME_SHIFTDataGridView.Rows[e.RowIndex].Cells[4].Value.ToString();
        gridview.Rows[e.RowIndex].Cells[3].Value = newValue;
        gridview.Rows[e.RowIndex].Cells[4].Value = TimeAttendanceHelper.FormatHourlyDuration(newValue);
    }
}

在编辑模式下更改datagridview单元格值

当单元格处于编辑模式时,您需要更改编辑控件中的文本,通常是一个文本框。您可以在EditingControlShowing事件中获取(并保持)它的句柄:

TextBox editBox = null;
private void dataGridView1_EditingControlShowing(object sender,
                           DataGridViewEditingControlShowingEventArgs e)
{
    if (e.Control is TextBox) editBox = e.Control as TextBox;
}

但是使用CellEnter事件并不是一个好主意,因为它也会在滚动或点击时被调用。

要捕捉编辑的开始,您可以使用BeginEdit事件:

int yourEditColumn = 5;
private void dataGridView1_CellBeginEdit(object sender, DataGridViewCellCancelEventArgs e)
{
    if (e.ColumnIndex == yourEditColumn )
    {
        string yourValue = "12345";
        dataGridView1.Rows[e.RowIndex].Cells[yourEditColumn ].Value = yourValue;
        if (editBox != null)   editBox.Text = yourValue;
    }
}