在我的C#WPF应用程序中,我有一个DataGrid
,正上方有一个TextBox
,供用户在键入时搜索和过滤网格。如果用户输入快速,则在键入后2秒内不会显示任何文本,因为UI线程太忙于更新网格。
由于大部分延迟都在UI端(即过滤数据源几乎是即时的,但重新绑定和重新渲染网格很慢),多线程并没有帮助。然后我尝试将网格的调度程序设置为较低级别,同时网格更新,但这也没有解决问题。这里有一些代码......关于如何解决这类问题的任何建议?
string strSearchQuery = txtFindCompany.Text.Trim();
this.dgCompanies.Dispatcher.BeginInvoke(DispatcherPriority.ApplicationIdle, new Action(delegate
{
//filter data source, then
dgCompanies.ItemsSource = oFilteredCompanies;
}));
答案 0 :(得分:5)
使用ListCollectionView作为GridS的ItemsSource并更新Filter比重新分配ItemsSource要快得多。
下面的示例通过简单地刷新搜索词文本属性的setter中的View来过滤100000行,没有明显的延迟。
<强>视图模型强>
class ViewModel
{
private List<string> _collection = new List<string>();
private string _searchTerm;
public ListCollectionView ValuesView { get; set; }
public string SearchTerm
{
get
{
return _searchTerm;
}
set
{
_searchTerm = value;
ValuesView.Refresh();
}
}
public ViewModel()
{
_collection.AddRange(Enumerable.Range(0, 100000).Select(p => Guid.NewGuid().ToString()));
ValuesView = new ListCollectionView(_collection);
ValuesView.Filter = o =>
{
var listValue = (string)o;
return string.IsNullOrEmpty(_searchTerm) || listValue.Contains(_searchTerm);
};
}
}
查看强>
<TextBox Grid.Row="0" Text="{Binding SearchTerm, UpdateSourceTrigger=PropertyChanged}" />
<ListBox ItemsSource="{Binding ValuesView}"
Grid.Row="1" />
答案 1 :(得分:3)
如果您的目标是.net 4.5,则可以选择在Delay
上设置TextBox
属性,这会阻止设置源值,直到达到某个时间阈值(直到用户停止输入) )。
<TextBox Text="{Binding SearchText, Delay=1000}"/>
在没有用户输入设置源值后等待1秒。
另一种选择是让按钮触发您的过滤器/搜索,而不是在文本框更改时。