我正在尝试将结构表绑定到DataGridView。加载和查看表格工作正常,但我无法编辑值并将其存储回表格中。这就是我正在做的事情。
我有一个“原始”数据类型,由
定义public struct MyReal:IMyPrimative
{
public Double m_Real;
//...
public MyReal(String val)
{
m_Real = default(Double);
Init(val);
}
//...
}
它在结构中使用:
public struct MyReal_Record : IMyRecord
{
public MyReal Freq { get; set;}
MyReal_Record(String[] vals)
{
Init(vals);
}
}
该结构用于使用通用绑定列表
定义表public class MyTable<S> : BindingList<S> where S: struct, IMyRecord
{
public Type typeofS;
public MyTable()
{
typeofS = typeof(S);
// ...
}
此表用作动态网格的绑定源。
private void miLoadFile_Click(object sender, EventArgs e)
{
MyModel.Table<Real_Record> RTable = new MyModel.Table<Real_Record>();
//... Table initialized here
//set up grid with virtual mode
dataGridView1.DataSource = RTable;
}
所有这一切都很好,我可以创建RTable,初始化它并在网格中显示它。网格允许编辑并为CellParsing和CellFormatting设置事件,如下所示:
private void dataGridView1_CellFormatting(object sender, DataGridViewCellFormattingEventArgs e)
{
if (e.DesiredType != typeof(String))
return;
e.Value = e.Value.ToString();
}
private void dataGridView1_CellParsing(object sender, DataGridViewCellParsingEventArgs e)
{
if (e.DesiredType != typeof(MyReal))
return;
e.Value = new MyReal(e.Value.ToString());
e.ParsingApplied = true;
this.dataGridView1.UpdateCellValue(e.ColumnIndex, e.RowIndex);
}
当我在单元格中编辑值时,我可以更改文本。离开单元格时,CellParsing将触发并调用事件处理程序。进入CellParsing处理程序似乎一切正确。 e.DesiredType是MyReal。 e.Value是一个包含新值的字符串。从字符串创建新的MyReal后,正确设置了e.Value。 RowIndex和ColumnIndex是正确的。 ReadOnly设置为false。
但是,当我离开单元格时,系统会将原始值恢复到单元格。我认为UpdateCellValue会替换dataSource中的值,但我似乎错过了一些东西。
我错过了什么?
谢谢, 最大
答案 0 :(得分:0)
我在另一个论坛(social.msdn.microsoft.com)找到答案,感谢Aland Li。
“当我们将对象列表绑定到控件时,列表中的对象必须是引用类型,而不是值类型。换句话说,Real_Record必须定义为类。
如果Real_Record是值类型,则列表中Real_Record项的副本将传输到DataGridView以初始化绑定。修改Real值后,Real_Record的副本会更改,但列表中的旧项目不会被修改。“
如果有人知道如何解决这个限制,我很乐意听到。 最大