Click here to Skip to main content
15,905,316 members
Articles / Programming Languages / C#
Article

AutoComplete TextBox

Rate me:
Please Sign up or sign in to vote.
4.76/5 (49 votes)
29 Dec 2006CPOL3 min read 281.8K   18.2K   167   47
Implement a simple auto-complete textbox.

Sample Image - AutoCompleteTextBox.jpg

Introduction

I was in need of a simple auto-completing textbox for a project I was working on at work when I realized that there were really not a whole lot of good choices for this. Many of them derive from a combo box which will not work properly for a dropdown list that continues to filter out items as you continue to type. This is my first article, so any feedback is welcome.

Using the textbox

Using the text box is simple, just add some AutoCompleteEntry items to the textbox:

The Items collection holds objects that implement the IAutoCompleteEntry interface. This allows you to use the AutoCompleteTextBox for a wide range of purposes. The IAutoCompleteEntry objects publish a list of string objects that are used to match with the user input. The popup list displays the result of a call to the object's ToString() method.

C#
// Add some sample auto complete entry items...
this.coolTextBox1.Items.Add(new AutoCompleteEntry("Phoenix, Az", "Phoenix, Az",
                                                  "Az", "PHX"));
this.coolTextBox1.Items.Add(new AutoCompleteEntry("Tempe, Az", "Tempe, Az","Az",
                                                  "TPE"));
this.coolTextBox1.Items.Add(new AutoCompleteEntry("Chandler, Az",
                                                  "Chandler, Az", "Az", "CHA"));
this.coolTextBox1.Items.Add(new AutoCompleteEntry("Boxford, Ma", "Boxford, Ma",
                                                  "Ma", "BXF"));
this.coolTextBox1.Items.Add(new AutoCompleteEntry("Topsfield, Ma",
                                                  "Topsfield, Ma", "Ma", "TPF"));
this.coolTextBox1.Items.Add(new AutoCompleteEntry("Danvers, Ma", "Danvers, Ma",
                                                  "Ma", "DNV"));

Note: I created a control called CoolTextBox that is a composite control with an AutoCompleteTextBox in it. all it really does is add a cool looking border to the textbox. I am using the CooltextBox in the demo project.

Design

So I decided to use a simple textbox and handle key press events to show a popup window that has a list in it. The list will be filtered to show only items that match the text in the textbox.

Problems

The problem with this is that there is no easy way to get the popup window to behave like any normal person would expect it to. It is easy to get the popup to show, but we need to keep the focus on the textbox, update the list on the popup, and even send some keystroke events over to the popup. Also, we need to hide the popup anytime the user clicks the mouse outside of the popup or outside the textbox (I know this sounds like it should be simple).

Implementation

Controlling the popup

I like to make controls as generic and customizable as possible. I like my auto-complete text box to popup after I type a couple characters, or if I press the Control+Space key combination. Someone else may have a completely different set of preferences, so I decided to control the popup events through a customizable set of AutoCompleteTrigger objects. Here is how the default behavior is set up (the ones that say "Consume" prevent further processing of the key press):

C#
// Add default triggers.
this.triggers.Add(new TextLengthTrigger(2));
this.triggers.Add(new ShortCutTrigger(Keys.Enter, TriggerState.SelectAndConsume));
this.triggers.Add(new ShortCutTrigger(Keys.Tab, TriggerState.Select));
this.triggers.Add(new ShortCutTrigger(Keys.Control | Keys.Space, TriggerState
                                     .ShowAndConsume));
this.triggers.Add(new ShortCutTrigger(Keys.Escape, TriggerState.HideAndConsume));

When to close the popup

The popup should close under any of the following circumstances:

  1. The user clicks on an item in the list
  2. Any of the triggers evaluate to
    1. TriggerState.Select
    2. TriggerState.SelectAndConsume
    3. TriggerState.Hide
    4. TriggerState.HideAndConsume
  3. The user clicks anywhere other than the popup or the text box.

Scenarios 1 and 2 are fairly easy, so I won't delve into that here. You can check out the source code if you are interested. Its the 3rd scenario that really turned out to be a challenge.

Handling mouse clicks

So there are several places we need to hook in to determine if the mouse was clicked outside of the text box or the popup.

We need to catch the OnLostFocus of the text box, as well as the Deactivate event of the popup.

C#
protected override void OnLostFocus(EventArgs e)
{
 base.OnLostFocus (e);
 if (!(this.Focused || this.popup.Focused || this.list.Focused))
 {
  this.HideList();
 }
}

private void Popup_Deactivate(object sender, EventArgs e)
{
 if (!(this.Focused || this.popup.Focused || this.list.Focused))
 {
  this.HideList();
 }
}

Those are the easy ones. Now we need to trap all mouse events that go to the form that the textbox lives on and its child controls. This is a little more difficult. o do this I used a NativeWindow as a base class for my mouse hook. I then listened for any mouse click event. If the mouse click occurred within the bounding box of the text box, then the popup remains visible. Otherwise, we should hide the popup.

C#
/// <summary>
/// This is the class we will use to hook mouse events.
/// </summary>

private class WinHook : NativeWindow
{
 private AutoCompleteTextBox tb;
 /// <summary>
 /// Initializes a new instance of <see cref="WinHook"/>
 /// </summary>
 /// <param name="tbox">The <see cref="AutoCompleteTextBox"/> the hook is running
 /// for.</param>

 public WinHook(AutoCompleteTextBox tbox)
 {
  this.tb = tbox;
 }
 /// <summary>
 /// Look for any kind of mouse activity that is not in the
 /// text box itself, and hide the popup if it is visible.
 /// </summary>
 /// <param name="m"></param>
 protected override void WndProc(ref Message m)
 {
  switch (m.Msg)
  {
   case Win32.Messages.WM_LBUTTONDOWN:
   case Win32.Messages.WM_LBUTTONDBLCLK:
   case Win32.Messages.WM_MBUTTONDOWN:
   case Win32.Messages.WM_MBUTTONDBLCLK:
   case Win32.Messages.WM_RBUTTONDOWN:
   case Win32.Messages.WM_RBUTTONDBLCLK:
   case Win32.Messages.WM_NCLBUTTONDOWN:
   case Win32.Messages.WM_NCMBUTTONDOWN:
   case Win32.Messages.WM_NCRBUTTONDOWN:
   {
    // Lets check to see where the event took place
    Form form = tb.FindForm();
    Point p = form.PointToScreen(new Point((int)m.LParam));
    Point p2 = tb.PointToScreen(new Point(0, 0));
    Rectangle rect = new Rectangle(p2, tb.Size);
    // Hide the popup if it is not in the text box
    if (!rect.Contains(p))
    {
     tb.HideList();
    }
   } break;
   case Win32.Messages.WM_SIZE:
   case Win32.Messages.WM_MOVE:
   {
    tb.HideList();
   } break;
   // This is the message that gets sent when a child control gets activity
   case Win32.Messages.WM_PARENTNOTIFY:
   {
    switch ((int)m.WParam)
    {
     case Win32.Messages.WM_LBUTTONDOWN:
     case Win32.Messages.WM_LBUTTONDBLCLK:
     case Win32.Messages.WM_MBUTTONDOWN:
     case Win32.Messages.WM_MBUTTONDBLCLK:
     case Win32.Messages.WM_RBUTTONDOWN:
     case Win32.Messages.WM_RBUTTONDBLCLK:
     case Win32.Messages.WM_NCLBUTTONDOWN:
     case Win32.Messages.WM_NCMBUTTONDOWN:
     case Win32.Messages.WM_NCRBUTTONDOWN:
     {
      // Same thing as before
      Form form = tb.FindForm();
      Point p = form.PointToScreen(new Point((int)m.LParam));
      Point p2 = tb.PointToScreen(new Point(0, 0));
      Rectangle rect = new Rectangle(p2, tb.Size);
      if (!rect.Contains(p))
      {
       tb.HideList();
      }
     } break;
    }
   } break;
  }

  base.WndProc (ref m);
 }
}

Conclusion

While there are more details as to how the whole thing goes together, they are alot more straight forward. I feel this is a viable solution for an Auto-Complete TextBox and I hope you find it interesting.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Architect People Media
United States United States
My name is Peter Femiani and I am a graduate of Arizona State University with a B.S. in Economics. I have been writing code since I was about 14.

Comments and Discussions

 
GeneralKey Up/down/press handle Pin
sohrabi21-Dec-07 1:20
sohrabi21-Dec-07 1:20 
GeneralRe: Key Up/down/press handle Pin
littleghost171222-Aug-10 22:23
littleghost171222-Aug-10 22:23 
GeneralAwesome Pin
Anatolii16-Oct-07 9:57
Anatolii16-Oct-07 9:57 
GeneralIt is working ! Pin
ardaarda7-Sep-07 3:26
ardaarda7-Sep-07 3:26 
GeneralRe: It is working ! Pin
Robert Prouse19-Jan-09 5:51
Robert Prouse19-Jan-09 5:51 
Generalits not woking Pin
prabhu_thil20-Jun-07 19:44
prabhu_thil20-Jun-07 19:44 
Generalhandy and useful Pin
Rola /anglian/11-Jun-07 23:35
Rola /anglian/11-Jun-07 23:35 
GeneralGreat but a few issues Pin
lumonis24-Jan-07 3:32
lumonis24-Jan-07 3:32 
This is definitely a very good approach to an autocomplete control that removes some of the limitations normally present. The 'shrinking' list approach works extremely well and putting it on another form was a great way of avoiding issues presented by exceeding the set form bounds.

Unfortunately I'm having a few issues that I've managed to solve but I'm not sure this is the best way to do it. When typing in a few letters (more than two) or the whole word and then hitting backspace a few times or deleting the entire word, sometimes the popup form gets 'stuck' there and does not disappear / hide properly. I commented out the ReleaseHandle line of the HideList() function and this seemed to correct this, although the handles are likely not being disposed for some time afterwards. In addition you can't seem to set a PopupWidth less than 112 pixels, it'll allow you to do it, but it gets instantly reset after the 'this.popup.Show()' runs. I've hacked around this just resetting it to the proper value after the show, but I'm guessing this would flicker slightly on slower machines and it's not really ideal. Similar thing seems to occur with the height, which for the first time is sometimes larger than it should be, and then corrects itself after subsequent showings. Fixed this with the same approach for the width but I'd appreciate some of your input on this.


Regards,
James
GeneralRe: Great but a few issues Pin
OlliFromTor14-Jan-08 22:31
OlliFromTor14-Jan-08 22:31 
GeneralData sources Pin
Marc Clifton29-Dec-06 15:49
mvaMarc Clifton29-Dec-06 15:49 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.