当将项目添加到列表视图时,有什么方法可以避免列表视图中的冗余..我使用winforms c#.net ..我的意思是如何比较listview1中的项目和listview2中的项目,以便在添加项目时从一个列表视图到另一个列表视图无法输入已在目标列表视图中输入的项目..我能够将项目从一个列表视图添加到另一个列表视图,但它正在添加重复项目,还有什么方法可以摆脱它..?? ?
问问题
4629 次
3 回答
1
你可以想到类似的东西:
Hashtable openWith = new Hashtable();
// Add some elements to the hash table. There are no
// duplicate keys, but some of the values are duplicates.
openWith.Add("txt", "notepad.exe");
openWith.Add("bmp", "paint.exe");
openWith.Add("dib", "paint.exe");
openWith.Add("rtf", "wordpad.exe");
// The Add method throws an exception if the new key is
// already in the hash table.
try
{
openWith.Add("txt", "winword.exe");
}
catch
{
Console.WriteLine("An element with Key = \"txt\" already exists.");
}
// ContainsKey can be used to test keys before inserting
// them.
if (!openWith.ContainsKey("ht"))
{
openWith.Add("ht", "hypertrm.exe");
Console.WriteLine("Value added for key = \"ht\": {0}", openWith["ht"]);
}
现在为了满足编辑后问题的变化,你可以这样做:
if(!ListView2.Items.Contains(myListItem))
{
ListView2.Items.Add(myListItem);
}
于 2010-03-09T11:37:18.207 回答
0
正如所建议的,哈希表是阻止这种冗余的好方法。
于 2010-03-09T06:57:12.093 回答
0
一个字典......任何数组......一个列表都是可能的,只需循环抛出项目/子项目,将它们添加到“数组”然后循环抛出数组以检查它是否与其他列表...
这是我用来删除按钮单击上的 dups 的示例,但您可以轻松更改代码以满足您的需求。
我使用以下内容在单击按钮时删除列表视图中的“Dups”,我正在搜索子项,您可以编辑代码以供自己使用...
使用字典和我写的一个简单的“更新”类。
private void removeDupBtn_Click(object sender, EventArgs e)
{
Dictionary<string, string> dict = new Dictionary<string, string>();
int num = 0;
while (num <= listView1.Items.Count)
{
if (num == listView1.Items.Count)
{
break;
}
if (dict.ContainsKey(listView1.Items[num].SubItems[1].Text).Equals(false))
{
dict.Add(listView1.Items[num].SubItems[1].Text, ListView1.Items[num].SubItems[0].Text);
}
num++;
}
updateList(dict, listView1);
}
并使用一点 updateList() 类...
private void updateList(Dictionary<string, string> dict, ListView list)
{
#region Sort
list.Items.Clear();
string[] arrays = dict.Keys.ToArray();
int num = 0;
while (num <= dict.Count)
{
if (num == dict.Count)
{
break;
}
ListViewItem lvi;
ListViewItem.ListViewSubItem lvsi;
lvi = new ListViewItem();
lvi.Text = dict[arrays[num]].ToString();
lvi.ImageIndex = 0;
lvi.Tag = dict[arrays[num]].ToString();
lvsi = new ListViewItem.ListViewSubItem();
lvsi.Text = arrays[num];
lvi.SubItems.Add(lvsi);
list.Items.Add(lvi);
list.EndUpdate();
num++;
}
#endregion
}
祝你好运!
于 2011-08-24T13:03:36.720 回答