2

我有一个包含许多用户的数据源 (BindingList),但有些用户我不想在我的 DataGridView 中显示。是否可以隐藏它们。我找不到有效的事件。

RowsAdded 有时会隐藏磨损的行。

4

2 回答 2

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;
    }
}

以下是将新列表绑定到 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
}
于 2009-09-22T01:28:02.063 回答
2

BindingSource.Filter您可以使用该属性过滤行。但是 的内置实现BindingList<T>不支持过滤,需要自己实现。您可以在 Google 上找到一些示例。这个看起来很有趣……

于 2009-09-21T23:06:47.460 回答