C# ListView 搜索没有明确列表的项目
C# ListView search item without clear list
我在C#平台上有winform项目。我有列表视图和文本框,如下图所示。
我想根据用户输入的文本值重新排序列表。
我在问这里之前进行了研究,我通常看到基于删除所有单元并将其重新添加到列表视图的解决方案。我不想这样做,因为我的列表视图中有太多带图片的项目,因此删除和重新添加项目会导致列表视图工作缓慢。
我想要的是,当用户在文本框中输入字符时,以该字符开头的项目将其置于列表顶部,类似于 google 搜索系统。
我尝试了下面的代码,但是即使我选择了索引 0,它也会发送列表末尾的项目。
谢谢
private void txt_search_TextChanged(object sender, EventArgs e)
{
string text = txt_search.Text;
var item = listView1.FindItemWithText(text);
if (item != null)
{
int index = listView1.Items.IndexOf(item);
if (index > 0)
{
listView1.Items.RemoveAt(index);
listView1.Items.Insert(0, item);
}
}
}
ListView
使用 .Sort()
函数排序,不确定默认行为是什么,但我认为您需要一个自定义比较器。
这是(ab)使用 ListViewItem.Tag
.
的示例实现
自定义比较器:
private class SearchCompare : Comparer<ListViewItem>
{
public override int Compare(ListViewItem x, ListViewItem y)
{
if (x?.Tag != null && y?.Tag != null)
{
return x.Tag.ToString().CompareTo(y.Tag.ToString());
}
return 0;
}
}
正在初始化 ListView
:
var items = new[]
{
"1 no",
"2 yes",
"3 no",
"4 yes"
};
foreach (var item in items)
{
listView1.Items.Add(item);
}
listView1.ListViewItemSorter = new SearchCompare(); // custom sorting
当然还有文本更改事件处理程序:
private void textBox1_TextChanged(object sender, EventArgs e)
{
string text = textBox1.Text;
foreach (ListViewItem item in listView1.Items)
{
if (item.Text.IndexOf(text, StringComparison.InvariantCultureIgnoreCase) > -1)
{
item.Tag = "a"; // a is sorted before b
}
else
{
item.Tag = "b"; // b is sorted after a
}
}
listView1.Sort();
}
在搜索文本框中键入“是”会将第 2 项和第 4 项排在第 1 项和第 3 项之前。
我在C#平台上有winform项目。我有列表视图和文本框,如下图所示。 我想根据用户输入的文本值重新排序列表。
我在问这里之前进行了研究,我通常看到基于删除所有单元并将其重新添加到列表视图的解决方案。我不想这样做,因为我的列表视图中有太多带图片的项目,因此删除和重新添加项目会导致列表视图工作缓慢。
我想要的是,当用户在文本框中输入字符时,以该字符开头的项目将其置于列表顶部,类似于 google 搜索系统。
我尝试了下面的代码,但是即使我选择了索引 0,它也会发送列表末尾的项目。 谢谢
private void txt_search_TextChanged(object sender, EventArgs e)
{
string text = txt_search.Text;
var item = listView1.FindItemWithText(text);
if (item != null)
{
int index = listView1.Items.IndexOf(item);
if (index > 0)
{
listView1.Items.RemoveAt(index);
listView1.Items.Insert(0, item);
}
}
}
ListView
使用 .Sort()
函数排序,不确定默认行为是什么,但我认为您需要一个自定义比较器。
这是(ab)使用 ListViewItem.Tag
.
自定义比较器:
private class SearchCompare : Comparer<ListViewItem>
{
public override int Compare(ListViewItem x, ListViewItem y)
{
if (x?.Tag != null && y?.Tag != null)
{
return x.Tag.ToString().CompareTo(y.Tag.ToString());
}
return 0;
}
}
正在初始化 ListView
:
var items = new[]
{
"1 no",
"2 yes",
"3 no",
"4 yes"
};
foreach (var item in items)
{
listView1.Items.Add(item);
}
listView1.ListViewItemSorter = new SearchCompare(); // custom sorting
当然还有文本更改事件处理程序:
private void textBox1_TextChanged(object sender, EventArgs e)
{
string text = textBox1.Text;
foreach (ListViewItem item in listView1.Items)
{
if (item.Text.IndexOf(text, StringComparison.InvariantCultureIgnoreCase) > -1)
{
item.Tag = "a"; // a is sorted before b
}
else
{
item.Tag = "b"; // b is sorted after a
}
}
listView1.Sort();
}
在搜索文本框中键入“是”会将第 2 项和第 4 项排在第 1 项和第 3 项之前。