3

这是我第一次使用 DataGridView,它有点不知所措(这么多选择!)。

我想显示一个属性列表,每行一个。每行都是一个名称/值对。属性的名称是固定的,但用户可以自由输入任何值。

现在,由于每个属性都有一个已使用值的列表,我希望用户可以在下拉列表中使用这些值。但是,我还希望用户能够键入新值。理想情况下,该值应在用户键入时自动完成。

我尝试使用 DataGridViewComboBoxColumn 样式的列,并且由于标准组合框支持类型或编辑的工作方式,我认为这会起作用。但是,它似乎允许从列表中选择(另外,按下一个键将自动从列表中选择第一个匹配的条目)。似乎没有办法输入新值。

我应该设置 844 个属性中的哪一个?:-)

4

1 回答 1

1

您必须更改组合框 DropDownStyle 以允许用户在组合框处于编辑模式时输入文本,但标准 DataGridView 在设计时不允许此行为,因此您必须采取一些技巧,处理 CellValidating、EditingControlShowing 和 CellValidated事件。

这是代码(来自 MSDN 论坛,对我有用)。

         private Object newCellValue;
         private void dataGridView1_CellValidating(object sender, DataGridViewCellValidatingEventArgs e)
         {
             if (dataGridView1.CurrentCell.IsInEditMode)
             {
                 if (dataGridView1.CurrentCell.GetType() ==
                 typeof(DataGridViewComboBoxCell))
                 {
                     DataGridViewComboBoxCell cell =
                     (DataGridViewComboBoxCell)dataGridView1.Rows[e.RowIndex].Cells[e.ColumnIndex];

                     if (!cell.Items.Contains(e.FormattedValue))
                     {
                         cell.Items.Add(e.FormattedValue);

                         cell.Value = e.FormattedValue;

                         //keep the new value in the member variable newCellValue
                         newCellValue = e.FormattedValue;
                     }
                 }
             }
         }

         private void dataGridView1_EditingControlShowing(object sender, DataGridViewEditingControlShowingEventArgs e)
         {
             if (e.Control.GetType() ==
typeof(DataGridViewComboBoxEditingControl))
             {
                 ((ComboBox)e.Control).DropDownStyle = ComboBoxStyle.DropDown;
             }
         }

         private void dataGridView1_CellValidated(object sender, DataGridViewCellEventArgs e)
         {
             if (dataGridView1.CurrentCell.GetType() ==
                 typeof(DataGridViewComboBoxCell))
             {
                 DataGridViewCell cell =
                 dataGridView1.Rows[e.RowIndex].Cells[e.ColumnIndex];
                 cell.Value = newCellValue;
             }
         }
于 2012-11-06T17:15:34.070 回答