我有一个DataGridView
,它在运行时填充了几个ComboBoxColumn
列。例如,
var newCountryColumn = new DataGridViewComboBoxColumn();
newCountryColumn.HeaderText = "Country";
newCountryColumn.DataSource = CountryListArray.ToArray();
newCountryColumn.DisplayMember = "Name";
newCountryColumn.ValueMember = "Code";
等等。现在,在运行时,用户选择要打开的文件,并逐行解析为数组。
var lines = File.ReadAllLines(path + "\\" + choosenFile);
foreach (string line in lines) {
numOfRecords++;
errorCounter = 0;
string[] items = line.Split('\t').ToArray();
int billState = headerIndex[0] - 1;
int billCountry = headerIndex[1] - 1;
int shipState = headerIndex[2] - 1;
int shipCountry = headerIndex[3] - 1;
for (int i = 0; i < headerIndex.Count; i++) {
int index = headerIndex[i];
/*Get the state and country codes from the files using the correct indices*/
Globals.Code = items[index - 1].ToUpper();
//If the code can't be found in either list
if (!CountryList.ContainsKey(Globals.Code) && !StateList.ContainsKey(Globals.Code)) {
errorCounter++;
if (errorCounter == 1){
dataGridView1.Rows.Add(items);
}
}
}
}
现在,除了当我在DataGridView
中滚动到组合框所在的位置时,它的效果很好。显然,代码不喜欢将items数组中的值添加到预先存在的组合框列中。我得到一个错误对话框:
DataGridView中发生以下异常:System.ArguementException:DataGridViewComboBoxCell值无效。
items数组中的项目是否可以显示在组合框列中?
答案 0 :(得分:0)
newCountryColumn.DisplayMember = "Name";
newCountryColumn.ValueMember = "Code";
告诉newCountryColumn.DataSource
期望包含名为Name
和Code
的属性的集合。但你传递string[]
。这是错误的,这是错误信息告诉你的。
有几种方法可以做到这一点,最简单的方法是使用属性Name
和Code
声明自己的类:
class CountryTuple
{
public string Code { get; private set; }
public string Name { get; private set; }
public CountryTuple(string code, string name)
{
this.Code = code;
this.Name = name;
}
}
现在您可以实例化您的收藏集:
var cts = new List<CountryTuple>();
将实例添加到您的集合::
cts.Add(new CountryTuple(items[index - 1].ToUpper(), whatever));
并将其分配给您的DataSource
:
newCountryColumn.DataSource = cts;