2

我按顺序有三列,文本框,组合框和文本框:

this.columnLocalName = new System.Windows.Forms.DataGridViewTextBoxColumn();
this.columnLocalAddress = new System.Windows.Forms.DataGridViewComboBoxColumn();
this.columnLocalPort = new System.Windows.Forms.DataGridViewTextBoxColumn();   

它们又在 datagridview 中,如下所示:

this.dataGridViewLocalProfile.Columns.AddRange(
new System.Windows.Forms.DataGridViewColumn[] {
                    this.columnLocalName,
                    this.columnLocalAddress,
                    this.columnLocalPort});

稍后我将尝试为每个组合框单元格添加不同的值,如下所示:

foreach (profile in localProfile.List)
{
DataGridViewComboBoxCell cell =(DataGridViewComboBoxCell)
(dataGridViewLocalProfile.Rows[dataGridViewLocalProfile.Rows.Count - 1].
Cells["columnLocalAddress"]);

cell.Items.Clear();
cell.Items.Add(profile.Address.ToString());

dataGridViewLocalProfile.Rows.Add(
new string[] { profile.Name, profile.Address, profile.Port });
}

这会产生一个数据网格,其中第一列和最后一列已填充,并且组合框列为空。带有我处理的数据错误。消息是:

DataGridViewComboBoxCell value is not valid.

我已经阅读了大部分帖子,但找不到解决方案。

我尝试过像这样设置数据源:

cell.DataSource = new string[] { profile.Address };

仍然得到空的组合框列,并带有数据错误说

DataGridViewComboBoxCell value is not valid.

我认为这非常棘手,因为我为每个组合框单元添加了不同的值。

任何人都可以,请帮助我如何完成这项工作。

/最好的

4

1 回答 1

0

游戏迟到了,但无论如何这是解决方案。

问题出在foreach循环中。最后一个现有行中的ComboBox单元格填充了一个项目。profile但是随后,使用当前对象添加了一个全新的行:

dataGridViewLocalProfile.Rows.Add( new string[] { profile.Name, profile.Address, profile.Port });

ComboBox此新行中单元格的项目为空,因此profile.Address 无效。改变foreach循环看起来像这样,你是黄金:

foreach (Profile p in this.localProfile)
{
  DataGridViewRow row = new DataGridViewRow();
  row.CreateCells(this.dataGridView1);

  DataGridViewComboBoxCell cell = (DataGridViewComboBoxCell)row.Cells[1];
  cell.Items.Clear();
  cell.Items.Add(p.Address);

  row.Cells[0].Value = p.Name;
  row.Cells[1].Value = p.Address;
  row.Cells[2].Value = p.Port;
  this.dataGridView1.Rows.Add(row);
}
于 2015-04-07T23:07:46.563 回答