使用C#窗体中的文本搜索过滤组合框项目

时间:2015-01-05 17:10:33

标签: c# visual-studio-2012 combobox

我试图在项目的所有字符中使用其text属性过滤组合框,而不仅仅是它们的开头。我在我的组合框的TextChanged事件中尝试下面的代码。但不幸的是,输入任何键后组合框重置:

    private void cmbCompany_TextChanged(object sender, EventArgs e)
    {
        string QueryCompany = string.Format("select id,title from acc.dl where title LIKE '%" + cmbCompany.Text + "%' union select null , null order by title");
        SqlDataAdapter DA1 = new SqlDataAdapter(QueryCompany, con);
        DataTable DT1 = new DataTable();
        DA1.Fill(DT1);
        cmbCompany.DisplayMember = "Title";
        cmbCompany.ValueMember = "id";
        cmbCompany.DataSource = DT1;
    }

连接字符串" con"已定义并打开。 谢谢你的帮助。

2 个答案:

答案 0 :(得分:1)

您可以在表单中添加文本框并使用文本进行过滤:

            string QueryCompany =
                string.Format(
                    "select id,title from acc.dl where dltype in (2,4)  union select null , null order by title");
            SqlDataAdapter DA1 = new SqlDataAdapter(QueryCompany, con);
            con.Open();
            DataTable DT1 = new DataTable();
            DA1.Fill(DT1);
            con.Close();
            DataView dv1 = new DataView(DT1);
            dv1.RowFilter = "Title like '%" + txtCompany.Text + "%' or Title is null";
            cmbCompany.DisplayMember = "Title";
            cmbCompany.ValueMember = "id";
            cmbCompany.DataSource = dv1;

并在选定的索引中更改了事件:

txtCompany.Text = cmbCompany.Text;

答案 1 :(得分:1)

下面的部分代码对我有用,搜索部分不仅在开始时而且在中间工作。在您按下回车键后,我还会粘贴另外一部分负责将焦点移动到表格上的下一个控件。

初始化部分:

public Form1()
{
  InitializeComponent();

  cmbItems = new List<ComboBoxItem>();
  InitializeComboBox();

}

private void InitializeComboBox()
{
  Random rand = new Random();
  for (int i = 0; i <= 1500; i++)
  {
    int counter = rand.Next(1, 105000);
    cmbItems.Add(new ComboBoxItem("randomNumber" + counter, "ID_" + counter));
  }
  comboBox1.DataSource = cmbItems;
}

过滤部分:

private void comboBox1_TextUpdate(object sender, EventArgs e)
{

  if (comboBox1.Text == string.Empty)
  {
    comboBox1.DataSource = cmbItems; // cmbItems is a List of ComboBoxItem with some random numbers
    comboBox1.SelectedIndex = -1;
  }
  else
  {
    string tempStr = comboBox1.Text;
    IEnumerable<ComboBoxItem> data = (from m in cmbItems where m.Label.ToLower().Contains(tempStr.ToLower()) select m);

    comboBox1.DataSource = null;
    comboBox1.Items.Clear();

    foreach (var temp in data)
    {
      comboBox1.Items.Add(temp);
    }
    comboBox1.DroppedDown = true;
    Cursor.Current = Cursors.Default;
    comboBox1.SelectedIndex = -1;

    comboBox1.Text = tempStr;
    comboBox1.Select(comboBox1.Text.Length, 0);

  }
}

移动焦点部分:

private void comboBox1_KeyPress(object sender, KeyPressEventArgs e)
{
  if (e.KeyChar != '\r') return;

  if (this.ActiveControl != null)
  {
    this.SelectNextControl(this.ActiveControl, true, true, true, true);
  }
  e.Handled = true; // Mark the event as handled
}

我希望能帮助别人。