C#基于listBox的多个选择过滤datagridview

时间:2016-01-07 13:03:00

标签: c# .net datagridview listbox filtering

当用户点击我的一个datagridview列并选择过滤时,会弹出一个窗口,其中列出了一个列表框,该列表框中填充了该列的值(不重复 - 这意味着如果有5个,则只显示一次)。

这是弹出窗口的初始化。

public partial class ComboBoxFilter : Form
{

    DataGridView Dgv;
    DataGridViewColumn Col;
    DataView View;
    string CName;

    public ComboBoxFilter(DataGridView dgv, DataGridViewColumn col, DataView view, string colName)
    {
        InitializeComponent();
        Dgv = dgv;
        Col = col;
        View = view;
        CName = colName;
        listBox1.ValueMember = col.DataPropertyName;
        listBox1.DisplayMember = col.DataPropertyName;
        DataTable dt = view.ToTable(true, new string[] { col.DataPropertyName });
        dt.DefaultView.Sort = col.DataPropertyName;
        listBox1.ClearSelected();
        listBox1.DataSource = dt;
    }

当用户从列表框中选择一个值并按下OK按钮时:

private void buttonOK_Click(object sender, EventArgs e)
    {
        BindingSource bs = (BindingSource)Dgv.DataSource;
        bs.Filter = string.Format("{0} = '{1}'", CName, listBox1.SelectedValue.ToString());
        Dgv.DataSource = bs;
        this.Close();
    }

其中CName是要过滤名称的列。

这很有效。

但是现在我想在我的列表框中允许多选属性,这样如果用户选择多个值,我可以对其进行过滤。我怎样才能做到这一点?是否有必要像我在一些例子中看到的那样使用“OR”?

1 个答案:

答案 0 :(得分:1)

根据DataView.RowFilterDataColumn.Expression文档,您可以使用ORIN运算符来构建过滤条件,使用IMO后者更适合此方案。

所以代码可能是这样的

private void buttonOK_Click(object sender, EventArgs e)
{
    var selection = string.Join(",", listBox1.SelectedItems.Cast<object>()
        .Select(item => "'" + listBox1.GetItemText(item) + "'").ToArray());
    var filter = listBox1.SelectedItems.Count == 0 ? string.Empty : 
        listBox1.SelectedItems.Count == 1 ? string.Format("{0} = {1}", CName, selection) :
        string.Format("{0} IN ({1})", CName, selection);

    var bs = (BindingSource)Dgv.DataSource;
    bs.Filter = filter;
    this.Close();
}