DataGridView 键向下操作(输入、左、右等)在多选时不起作用
本文关键字:不起作用 右等 操作 DataGridView 输入 | 更新日期: 2023-09-27 17:56:47
我想在操作KeyDown
事件时使DataGridView
更方便,例如将一个单元格向右移动或使用左、下或向上的KeyEnter
。我有一些特殊的用例,我想先检查单元格,然后根据此我可以丢弃此事件或将其指向另一个单元格。在我将"多选"功能设置为 true 之前,这工作正常。然后,每个单元格离开焦点并设置正确焦点的整个过程不再正常工作。请在下面找到一些示例代码:
private bool GridNavigation(Keys keys)
{
if (dataGridView1.CurrentRow == null)
{
return true;
}
int iColumn = dataGridView1.CurrentCell.ColumnIndex;
int iRow = dataGridView1.CurrentCell.RowIndex;
if (keys == Keys.Enter || keys == Keys.Right)
{
for (int i = iColumn + 1; i <= dataGridView1.Columns.Count - 4; i++)
{
if (!dataGridView1.Rows[iRow].Cells[i].ReadOnly)
{
dataGridView1.Rows[iRow].Cells[i].Selected = true;
break;
}
if (i == dataGridView1.Columns.Count - 4 && dataGridView1.Rows.Count - 1 != iRow)
{
if (((IDictionary<int, int>)dataGridView1.CurrentRow.Tag).SingleOrDefault(p => p.Key == (int)clsDefinitions.ZeilenIndikator.Typ).Value == (int)clsDefinitions.ZeilenTyp.PassLängeAusgangswert)
dataGridView1.CurrentCell = dataGridView1[0, iRow + 2];
else
dataGridView1.CurrentCell = dataGridView1[0, iRow + 1];
return true;
}
}
return true;
}
else if (keys == Keys.Left)
{
for (int i = iColumn - 1; i >= 0; i--)
{
if (!dataGridView1.Rows[iRow].Cells[i].ReadOnly)
{
dataGridView1.Rows[iRow].Cells[i].Selected = true;
break;
}
}
return true;
}
else
return false;
}
protected override bool ProcessCmdKey(ref Message msg, Keys keyData)
{
if (keyData == Keys.Enter || keyData == Keys.Right || keyData == Keys.Left)
{
return GridNavigation(keyData);
}
return base.ProcessCmdKey(ref msg, keyData);
}
那么这里可以做什么。您可以通过打开一个新项目并在表单中放置一个DataGridView
并添加例如 10 列或更多来轻松重现。
如果还有其他我可以提供的东西,请告诉我。
在你的GridNavigation
方法中,在if (keys == Keys.Enter || keys == Keys.Right)
和else if (keys == Keys.Left)
两种条件下,这里的有罪方是重复出现的行:
dataGridView1.Rows[iRow].Cells[i].Selected = true;
出了什么问题?
dataGridView1.MultiSelect == false
时,上述行有效地设置了当前单元格,而不仅仅是Selected
属性。即:
-
CurrentCell = Rows[0].Cells[0]
,Rows[0].Cells[0].Selected = true
- 用户单击
->
或输入-
Rows[0].Cells[1].Selected = true
-
CurrentCell = Rows[0].Cells[1]
-
Rows[0].Cells[0].Selected = false
-
但是,当dataGridView1.MultiSelect == true
相同的代码行时,不会设置当前单元格。 因此,当前单元格以及相邻单元格分别保持选中状态。即:
-
CurrentCell = Rows[0].Cells[0]
,Rows[0].Cells[0].Selected = true
- 用户单击"
->
"或"输入"-
Rows[0].Cells[1].Selected = true
-
CurrentCell = Rows[0].Cells[0]
-
Rows[0].Cells[0].Selected = true
-
- 用户再次单击"
->
"或"输入"- 预期成果:
Rows[0].Cells[2].Selected = true
. - 实际结果:
Rows[0].Cells[1].Selected = true
...再。
- 预期成果:
溶液
如果您希望它的行为与MultiSelect = false
相同,并且在向左或向右导航时只有一个选定的单元格,只需将有罪的代码行替换为:
dataGridView1.CurrentCell = dataGridView.Rows[iRow].Cells[i];
如果要保留以前选择的单元格,请将有罪的代码行替换为:
DataGridViewSelectedCellCollection cells = dataGridView1.SelectedCells;
dataGridView1.CurrentCell = dataGridView1.Rows[iRow].Cells[i];
if (dataGridView1.MultiSelect)
{
foreach (DataGridViewCell cell in cells)
{
cell.Selected = true;
}
}
是否设置了选择模式?
dataGridView1.SelectionMode = DataGridViewSelectionMode.CellSelect;