我想在绑定到列表框的键值对列表上实现增量搜索。
如果我有三个值(AAB,AAC,AAD),那么用户应该能够在可用列表框中选择一个项目并输入AAC,这个项目应该突出显示并聚焦。它也应该是渐进式的。
处理此问题的最佳方法是什么?
答案 0 :(得分:6)
我意识到这已经很晚了......但是,刚刚实施了这个,我会把它放在这里,希望能帮助别人。
为KeyChar事件添加处理程序(在我的情况下,列表框名为lbxFieldNames):
private void lbxFieldNames_KeyPress(object sender, KeyPressEventArgs e)
{
IncrementalSearch(e.KeyChar);
e.Handled = true;
}
(重要提示:您需要e.Handled = true;
因为列表框默认实现了“以此字符开头的第一个项目”搜索;我花了一些时间来弄清楚为什么我的代码无法正常工作。)< / p>
IncrementalSearch方法是:
private void IncrementalSearch(char ch)
{
if (DateTime.Now - lastKeyPressTime > new TimeSpan(0, 0, 1))
searchString = ch.ToString();
else
searchString += ch;
lastKeyPressTime = DateTime.Now;
var item = lbxFieldNames
.Items
.Cast<string>()
.Where(it => it.StartsWith(searchString, true, CultureInfo.InvariantCulture))
.FirstOrDefault();
if (item == null)
return;
var index = lbxFieldNames.Items.IndexOf(item);
if (index < 0)
return;
lbxFieldNames.SelectedIndex = index;
}
我实施的超时是一秒,但您可以通过修改TimeSpan
声明中的if
来更改它。
最后,您需要声明
private string searchString;
private DateTime lastKeyPressTime;
希望这有帮助。
答案 1 :(得分:3)
如果我正确地解释您的问题,您似乎希望用户能够开始输入并提出建议。
您可以使用ComboBox(而不是ListBox):
答案 2 :(得分:2)
您可以在用户输入字符时使用TextChanged
事件触发,还可以使用listbox
事件DataSourceChanged
将其悬停在特定项目或任何您想要的内容上
我会举个例子:
private void textBox1_TextChanged(object sender, EventArgs e)
{
listBox1.DataSource = GetProducts(textBox1.Text);
listBox1.ValueMember = "Id";
listBox1.DisplayMember = "Name";
}
List<Product> GetProducts(string keyword)
{
IQueryable q = from p in db.GetTable<Product>()
where p.Name.Contains(keyword)
select p;
List<Product> products = q.ToList<Product>();
return products;
}
因此,每当用户开始输入任何char时,getproducts
方法执行并填充列表框,默认情况下将鼠标悬停在列表中的第一项,您也可以使用列表框事件DataSourceChanged
来处理做你想做的事。
还有另一种有趣的方法,即:TextBox.AutoCompleteCustomSource
Property:
textBox1.AutoCompleteSource = AutoCompleteSource.CustomSource;
AutoCompleteStringCollection stringCollection =
new AutoCompleteStringCollection();
textBox1.AutoCompleteCustomSource = stringCollection;
此列表只能string[]
,因此您可以从数据源获取它们
当textbox
的文字发生变化时,添加数据源中已填写到文本框自动填充自定义来源中的相似字词:
private void textBox1_TextChanged(object sender, EventArgs e)
{
listBox1.Items.Clear();
if (textBox1.Text.Length == 0)
{
listbox1.Visible = false;
return;
}
foreach (String keyword in textBox1.AutoCompleteCustomSource)
{
if (keyword.Contains(textBox1.Text))
{
listBox1.Items.Add(keyword);
listBox1.Visible = true;
}
}
}
添加另一个事件ListBoxSelectedindexchanged
,将所选文本添加到文本框
答案 3 :(得分:1)
也许您可以在用户输入的控件上添加TextChanged
的事件是搜索(我猜是TextBox
)。在这种情况下,您可以遍历所有项目以搜索与用户键入的词语最相对应的项目。