我有一个包含许多用户的数据源(BindingList),但有一些用户我不想在我的DataGridView中显示。是否可以隐藏它们。我找不到有效的活动。
RowsAdded有时会隐藏行。
答案 0 :(得分:3)
看起来我必须实现自己的过滤器。我为BindingList构建了一个适配器,它可以显示任何BindingList的过滤版本。你只需继承它。这是我的例子。我想只显示user.CanEdit = true
的用户public class AhpUserFilter : FilterBindingListAdapter<AhpUser>
{
public AhpUserFilter(AhpUserCollection users)
: base(users.GetList() as IBindingList)
{
}
protected override bool ISVisible(AhpUser user)
{
return user.CanEdit;
}
}
以下是如何将新List绑定到DatagridView:
AhpUserFilter userSource = new AhpUserFilter(users);
userSource.Filter = "yes!";
dataGridViewUser.DataSource = userSource;
好的,Filter属性还没用。但Adapter类是非常实验性的。但是对于使用DataGrid进行简单的添加和删除,它似乎运行良好。
以下是适配器的代码:
public class FilterBindingListAdapter<T> : BindingList<T>, IBindingListView
{
protected string filter = String.Empty;
protected IBindingList bindingList;
private bool filtering = false;
public FilterBindingListAdapter(IBindingList bindingList)
{
this.bindingList = bindingList;
DoFilter();
}
protected override void OnListChanged(ListChangedEventArgs e)
{
if (!filtering)
{
switch (e.ListChangedType)
{
case ListChangedType.ItemAdded:
bindingList.Insert(e.NewIndex, this[e.NewIndex]);
break;
}
}
base.OnListChanged(e);
}
protected override void RemoveItem(int index)
{
if (!filtering)
{
bindingList.RemoveAt(index);
}
base.RemoveItem(index);
}
protected virtual void DoFilter()
{
filtering = true;
this.Clear();
foreach (T e in bindingList)
{
if (filter.Length == 0 || this.ISVisible(e))
{
this.Add((T)e);
}
}
filtering = false;
}
protected virtual bool ISVisible(T element)
{
return true;
}
#region IBindingListView Members
public void ApplySort(ListSortDescriptionCollection sorts)
{
throw new NotImplementedException();
}
public string Filter
{
get
{
return filter;
}
set
{
filter = value;
DoFilter();
}
}
public void RemoveFilter()
{
Filter = String.Empty;
}
public ListSortDescriptionCollection SortDescriptions
{
get { throw new NotImplementedException(); }
}
public bool SupportsAdvancedSorting
{
get { return false; }
}
public bool SupportsFiltering
{
get { return true; }
}
#endregion
}
答案 1 :(得分:2)
您可以使用BindingSource.Filter
属性过滤行。但是,BindingList<T>
的内置实现不支持过滤,因此您需要自己实现它。您可以在Google上找到一些示例。 This one看起来很有趣......