ReactOS 0.4.15-dev-8434-g155a7c7
CAutoComplete.cpp
Go to the documentation of this file.
1/*
2 * AutoComplete interfaces implementation.
3 *
4 * Copyright 2004 Maxime Bellengé <maxime.bellenge@laposte.net>
5 * Copyright 2009 Andrew Hill
6 * Copyright 2020-2021 Katayama Hirofumi MZ <katayama.hirofumi.mz@gmail.com>
7 *
8 * This library is free software; you can redistribute it and/or
9 * modify it under the terms of the GNU Lesser General Public
10 * License as published by the Free Software Foundation; either
11 * version 2.1 of the License, or (at your option) any later version.
12 *
13 * This library is distributed in the hope that it will be useful,
14 * but WITHOUT ANY WARRANTY; without even the implied warranty of
15 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
16 * Lesser General Public License for more details.
17 *
18 * You should have received a copy of the GNU Lesser General Public
19 * License along with this library; if not, write to the Free Software
20 * Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301, USA
21 */
22
23#include "precomp.h"
24#include <imm.h> // For IMN_OPENCANDIDATE
25#include <process.h> // _beginthreadex
26
27/*
28 TODO:
29 - implement ACO_SEARCH style
30 - implement ACO_FILTERPREFIXES style
31 - implement ACO_RTLREADING style
32 */
33
34#define CX_LIST 30160 // width of m_hwndList (very wide but alright)
35#define CY_LIST 288 // maximum height of drop-down window
36#define CY_ITEM 18 // default height of listview item
37#define MAX_ITEM_COUNT 1000 // the maximum number of items
38#define WATCH_TIMER_ID 0xFEEDBEEF // timer ID to watch m_rcEdit
39#define WATCH_INTERVAL 300 // in milliseconds
40
41static HHOOK s_hMouseHook = NULL; // hook handle
42static HWND s_hWatchWnd = NULL; // the window handle to watch
43
45{
48};
49static const PREFIX_INFO s_prefixes[] =
50{
51 { L"https://", 8 },
52 { L"http://www.", 11 },
53 { L"http://", 7 },
54 { L"www.", 4 },
55};
56
57static BOOL DropPrefix(const CStringW& str, CStringW& strBody)
58{
59 for (size_t iPrefix = 0; iPrefix < _countof(s_prefixes); ++iPrefix)
60 {
61 LPCWSTR psz = s_prefixes[iPrefix].psz;
62 INT cch = s_prefixes[iPrefix].cch;
63 if (::StrCmpNIW(str, psz, cch) == 0)
64 {
65 strBody = str.Mid(cch);
66 return TRUE;
67 }
68 }
69 strBody = str;
70 return FALSE;
71}
72
73static BOOL DoesMatch(const CStringW& strTarget, const CStringW& strText)
74{
75 CStringW strBody;
76 if (DropPrefix(strTarget, strBody))
77 {
78 if (::StrCmpNIW(strBody, strText, strText.GetLength()) == 0)
79 return TRUE;
80 }
81 else if (::StrCmpNIW(strTarget, strText, strText.GetLength()) == 0)
82 {
83 return TRUE;
84 }
85 return FALSE;
86}
87
88// mouse hook procedure to watch the mouse click
89// https://docs.microsoft.com/en-us/previous-versions/windows/desktop/legacy/ms644988(v=vs.85)
91{
92 if (s_hMouseHook == NULL)
93 return 0; // do default
94 // if the user clicked the outside of s_hWatchWnd, then hide the drop-down window
95 if (nCode == HC_ACTION && // an action?
96 s_hWatchWnd && ::IsWindow(s_hWatchWnd) && // s_hWatchWnd is valid?
97 ::GetCapture() == NULL) // no capture? (dragging something?)
98 {
99 RECT rc;
100 MOUSEHOOKSTRUCT *pMouseHook = reinterpret_cast<MOUSEHOOKSTRUCT *>(lParam);
101 switch (wParam)
102 {
103 case WM_LBUTTONDOWN: case WM_LBUTTONUP:
104 case WM_RBUTTONDOWN: case WM_RBUTTONUP:
105 case WM_MBUTTONDOWN: case WM_MBUTTONUP:
109 {
111 if (!::PtInRect(&rc, pMouseHook->pt)) // outside of s_hWatchWnd?
112 {
114 }
115 break;
116 }
117 }
118 }
119 return ::CallNextHookEx(s_hMouseHook, nCode, wParam, lParam); // go next hook
120}
121
123// sorting algorithm
124// http://www.ics.kagoshima-u.ac.jp/~fuchida/edu/algorithm/sort-algorithm/
125
127
128static inline INT compare1(const CStringW& str1, const CStringW& str2)
129{
130 CStringW s1, s2;
131 DropPrefix(str1, s1);
132 DropPrefix(str2, s2);
133 return s1.CompareNoCase(s2);
134}
135
136static inline INT pivot(list_t& list, INT i, INT j)
137{
138 INT k = i + 1;
139 while (k <= j && compare1(list[i], list[k]) == 0)
140 k++;
141 if (k > j)
142 return -1;
143 if (compare1(list[i], list[k]) >= 0)
144 return i;
145 return k;
146}
147
148static inline INT partition(list_t& list, INT i, INT j, const CStringW& x)
149{
150 INT left = i, right = j;
151 while (left <= right)
152 {
153 while (left <= j && compare1(list[left], x) < 0)
154 left++;
155 while (right >= i && compare1(list[right], x) >= 0)
156 right--;
157 if (left > right)
158 break;
159
160 CStringW tmp = list[left];
161 list[left] = list[right];
162 list[right] = tmp;
163
164 left++;
165 right--;
166 }
167 return left;
168}
169
170static void quicksort(list_t& list, INT i, INT j)
171{
172 if (i == j)
173 return;
174 INT p = pivot(list, i, j);
175 if (p == -1)
176 return;
177 INT k = partition(list, i, j, list[p]);
178 quicksort(list, i, k - 1);
179 quicksort(list, k, j);
180}
181
182static inline void DoSort(list_t& list)
183{
184 if (list.GetSize() <= 1) // sanity check
185 return;
186 quicksort(list, 0, list.GetSize() - 1); // quick sort
187}
188
189// std::unique
191{
192 INT first = 0, last = list.GetSize();
193 if (first == last)
194 return last;
195 INT result = first;
196 while (++first != last)
197 {
198 if (compare1(list[result], list[first]) != 0)
199 list[++result] = list[first];
200 }
201 return ++result;
202}
203
204static inline void DoUniqueAndTrim(list_t& list)
205{
207 while (list.GetSize() > last)
208 {
209 list.RemoveAt(last);
210 }
211}
212
214
215// range of WCHAR (inclusive)
216struct RANGE
217{
219};
220
221// a callback function for bsearch: comparison of two ranges
222static inline int RangeCompare(const void *x, const void *y)
223{
224 const RANGE *a = reinterpret_cast<const RANGE *>(x);
225 const RANGE *b = reinterpret_cast<const RANGE *>(y);
226 if (a->to < b->from)
227 return -1;
228 if (b->to < a->from)
229 return 1;
230 return 0;
231}
232
233// is the WCHAR a word break?
234static inline BOOL IsWordBreak(WCHAR ch)
235{
236 // the ranges of word break characters
237 static const RANGE s_ranges[] =
238 {
239 { 0x0009, 0x0009 }, { 0x0020, 0x002f }, { 0x003a, 0x0040 }, { 0x005b, 0x0060 },
240 { 0x007b, 0x007e }, { 0x00ab, 0x00ab }, { 0x00ad, 0x00ad }, { 0x00bb, 0x00bb },
241 { 0x02c7, 0x02c7 }, { 0x02c9, 0x02c9 }, { 0x055d, 0x055d }, { 0x060c, 0x060c },
242 { 0x2002, 0x200b }, { 0x2013, 0x2014 }, { 0x2016, 0x2016 }, { 0x2018, 0x2018 },
243 { 0x201c, 0x201d }, { 0x2022, 0x2022 }, { 0x2025, 0x2027 }, { 0x2039, 0x203a },
244 { 0x2045, 0x2046 }, { 0x207d, 0x207e }, { 0x208d, 0x208e }, { 0x226a, 0x226b },
245 { 0x2574, 0x2574 }, { 0x3001, 0x3003 }, { 0x3005, 0x3005 }, { 0x3008, 0x3011 },
246 { 0x3014, 0x301b }, { 0x301d, 0x301e }, { 0x3041, 0x3041 }, { 0x3043, 0x3043 },
247 { 0x3045, 0x3045 }, { 0x3047, 0x3047 }, { 0x3049, 0x3049 }, { 0x3063, 0x3063 },
248 { 0x3083, 0x3083 }, { 0x3085, 0x3085 }, { 0x3087, 0x3087 }, { 0x308e, 0x308e },
249 { 0x309b, 0x309e }, { 0x30a1, 0x30a1 }, { 0x30a3, 0x30a3 }, { 0x30a5, 0x30a5 },
250 { 0x30a7, 0x30a7 }, { 0x30a9, 0x30a9 }, { 0x30c3, 0x30c3 }, { 0x30e3, 0x30e3 },
251 { 0x30e5, 0x30e5 }, { 0x30e7, 0x30e7 }, { 0x30ee, 0x30ee }, { 0x30f5, 0x30f6 },
252 { 0x30fc, 0x30fe }, { 0xfd3e, 0xfd3f }, { 0xfe30, 0xfe31 }, { 0xfe33, 0xfe44 },
253 { 0xfe4f, 0xfe51 }, { 0xfe59, 0xfe5e }, { 0xff08, 0xff09 }, { 0xff0c, 0xff0c },
254 { 0xff0e, 0xff0e }, { 0xff1c, 0xff1c }, { 0xff1e, 0xff1e }, { 0xff3b, 0xff3b },
255 { 0xff3d, 0xff3d }, { 0xff40, 0xff40 }, { 0xff5b, 0xff5e }, { 0xff61, 0xff64 },
256 { 0xff67, 0xff70 }, { 0xff9e, 0xff9f }, { 0xffe9, 0xffe9 }, { 0xffeb, 0xffeb },
257 };
258 // binary search
259 RANGE range = { ch, ch };
260 return !!bsearch(&range, s_ranges, _countof(s_ranges), sizeof(RANGE), RangeCompare);
261}
262
263// This function is an application-defined callback function.
264// https://docs.microsoft.com/en-us/windows/win32/api/winuser/nc-winuser-editwordbreakprocw
265static INT CALLBACK
267{
268 switch (code)
269 {
270 case WB_ISDELIMITER:
271 return IsWordBreak(lpch[index]);
272 case WB_LEFT:
273 {
274 if (index)
275 --index;
276 while (index && !IsWordBreak(lpch[index]))
277 --index;
278 return index;
279 }
280 case WB_RIGHT:
281 {
282 if (!count)
283 break;
284 while (index < count && lpch[index] && !IsWordBreak(lpch[index]))
285 ++index;
286 return index;
287 }
288 }
289 return 0;
290}
291
292static LRESULT CALLBACK
294 UINT_PTR uSubclassID, DWORD_PTR dwData)
295{
296 CAutoComplete *pThis = reinterpret_cast<CAutoComplete *>(dwData);
297 return pThis->EditWndProc(hwnd, uMsg, wParam, lParam);
298}
299
301{
302 LRESULT ret;
303 HWND hwndGotFocus;
304 switch (uMsg)
305 {
306 case WM_CHAR:
307 return OnEditChar(wParam, lParam);
308 case WM_CUT: case WM_PASTE: case WM_CLEAR:
309 ret = ::DefSubclassProc(hwnd, uMsg, wParam, lParam); // do default
311 return ret;
312 case WM_GETDLGCODE:
313 ret = ::DefSubclassProc(hwnd, uMsg, wParam, lParam); // do default
314 // some special keys need default processing. we handle them here
315 switch (wParam)
316 {
317 case VK_RETURN:
320 break;
321 case VK_TAB:
322 if (IsWindowVisible() && UseTab())
323 ret |= DLGC_WANTALLKEYS; // we want all keys to manipulate the list
324 break;
325 case VK_ESCAPE:
326 if (IsWindowVisible())
327 ret |= DLGC_WANTALLKEYS; // we want all keys to manipulate the list
328 break;
329 default:
330 {
331 ret |= DLGC_WANTALLKEYS; // we want all keys to manipulate the list
332 break;
333 }
334 }
335 return ret;
336 case WM_KEYDOWN:
338 return TRUE; // eat
339 break;
340 case WM_SETFOCUS:
342 break;
343 case WM_KILLFOCUS:
344 // hide the list if lost focus
345 hwndGotFocus = (HWND)wParam;
346 if (hwndGotFocus != m_hwndEdit && hwndGotFocus != m_hWnd)
347 HideDropDown();
349 break;
350 case WM_IME_NOTIFY:
352 HideDropDown();
353 break;
354 case WM_SETTEXT:
355 if (!m_bInSetText)
356 HideDropDown(); // it's mechanical WM_SETTEXT
357 break;
358 case WM_DESTROY:
359 {
361 {
364 }
366 if (::IsWindow(m_hWnd))
367 PostMessageW(WM_CLOSE, 0, 0);
368 // remove reference to m_hwndEdit
369 Release();
370 break;
371 }
372 }
373
374 return ::DefSubclassProc(hwnd, uMsg, wParam, lParam); // do default
375}
376
378// CACListView
379
380CACListView::CACListView() : m_pDropDown(NULL), m_cyItem(CY_ITEM)
381{
382}
383
385{
386 ATLASSERT(m_hWnd == NULL);
387 DWORD dwStyle = WS_CHILD | /*WS_VISIBLE |*/ WS_CLIPSIBLINGS | LVS_NOCOLUMNHEADER |
389 HWND hWnd = ::CreateWindowExW(0, GetWndClassName(), L"Internet Explorer", dwStyle,
390 0, 0, 0, 0, hwndParent, NULL,
391 _AtlBaseModule.GetModuleInstance(), NULL);
392 SubclassWindow(hWnd); // do subclass to handle messages
393 // set extended listview style
395 SetExtendedListViewStyle(exstyle, exstyle);
396 // insert one column (needed to insert items)
398 column.fmt = LVCFMT_LEFT;
400 InsertColumn(0, &column);
401 return m_hWnd;
402}
403
404// set font handle
406{
407 SendMessageW(WM_SETFONT, (WPARAM)hFont, TRUE); // set font
408
409 // get listview item height
411 HDC hDC = GetDC();
412 if (hDC)
413 {
414 HGDIOBJ hFontOld = ::SelectObject(hDC, hFont);
416 if (::GetTextMetricsW(hDC, &tm))
417 {
418 m_cyItem = (tm.tmHeight * 3) / 2; // 3/2 of text height
419 }
420 ::SelectObject(hDC, hFontOld);
421 ReleaseDC(hDC);
422 }
423}
424
425// get the number of visible items
427{
428 if (m_cyItem <= 0) // avoid "division by zero"
429 return 0;
430 CRect rc;
431 GetClientRect(&rc);
432 return rc.Height() / m_cyItem;
433}
434
435// get the text of an item
437{
438 // NOTE: LVS_OWNERDATA doesn't support LVM_GETITEMTEXT.
440 ATLASSERT(GetStyle() & LVS_OWNERDATA);
441 return m_pDropDown->GetItemText(iItem);
442}
443
444// get the item index from position
446{
447 LV_HITTESTINFO hittest;
448 hittest.pt.x = x;
449 hittest.pt.y = y;
450 return HitTest(&hittest);
451}
452
453// get current selection
455{
456 return GetNextItem(-1, LVNI_ALL | LVNI_SELECTED);
457}
458
459// set current selection
461{
462 if (iItem == -1)
463 SetItemState(-1, 0, LVIS_SELECTED); // select none
464 else
465 SetItemState(iItem, LVIS_SELECTED, LVIS_SELECTED);
466}
467
468// select the specific position (in client coordinates)
470{
472}
473
474// WM_LBUTTONUP / WM_MBUTTONUP / WM_RBUTTONUP @implemented
476{
477 TRACE("CACListView::OnButtonUp(%p)\n", this);
478 return 0; // eat
479}
480
481// WM_LBUTTONDOWN @implemented
482// This message is posted when the user pressed the left mouse button while the cursor is inside.
484{
485 TRACE("CACListView::OnLButtonDown(%p)\n", this);
488 if (iItem != -1)
489 {
490 m_pDropDown->SelectItem(iItem); // select the item
491 CStringW strText = GetItemText(iItem); // get text of item
492 m_pDropDown->SetEditText(strText); // set text
493 m_pDropDown->SetEditSel(0, strText.GetLength()); // select all
494 m_pDropDown->HideDropDown(); // hide
495 }
496 return 0;
497}
498
499// WM_MBUTTONDOWN / WM_RBUTTONDOWN @implemented
501{
502 TRACE("CACListView::OnMRButtonDown(%p)\n", this);
503 return 0; // eat
504}
505
506// WM_MOUSEWHEEL @implemented
508{
509 TRACE("CACListView::OnMouseWheel(%p)\n", this);
511 LRESULT ret = DefWindowProcW(uMsg, wParam, lParam); // do default
513 return ret;
514}
515
516// WM_NCHITTEST
518{
519 TRACE("CACListView::OnNCHitTest(%p)\n", this);
521 POINT pt = { GET_X_LPARAM(lParam), GET_Y_LPARAM(lParam) }; // in screen coordinates
522 ScreenToClient(&pt); // into client coordinates
523 HWND hwndTarget = m_pDropDown->ChildWindowFromPoint(pt);
524 if (hwndTarget != m_hWnd)
525 return HTTRANSPARENT; // pass through (for resizing the drop-down window)
526 bHandled = FALSE; // do default
527 return 0;
528}
529
531// CACScrollBar
532
534{
535 ATLASSERT(m_hWnd == NULL);
536 DWORD dwStyle = WS_CHILD | /*WS_VISIBLE |*/ SBS_BOTTOMALIGN | SBS_VERT;
537 m_hWnd = ::CreateWindowExW(0, GetWndClassName(), NULL, dwStyle,
538 0, 0, 0, 0, hwndParent, NULL,
539 _AtlBaseModule.GetModuleInstance(), NULL);
540 // we don't subclass because no message handling is needed
541 return m_hWnd;
542}
543
545// CACSizeBox
546
548{
549 ATLASSERT(m_hWnd == NULL);
550 DWORD dwStyle = WS_CHILD | /*WS_VISIBLE |*/ SBS_SIZEBOX;
552 0, 0, 0, 0, hwndParent, NULL,
553 _AtlBaseModule.GetModuleInstance(), NULL);
554 SubclassWindow(hWnd); // do subclass to handle message
555 return m_hWnd;
556}
557
559{
560 // set flags
561 m_bDowner = bDowner;
562 m_bLongList = bLongList;
563
564 if (bLongList)
565 {
566 SetWindowRgn(NULL, TRUE); // reset window region
567 return;
568 }
569
570 RECT rc;
571 GetWindowRect(&rc); // get size-box size
572 ::OffsetRect(&rc, -rc.left, -rc.top); // window regions use special coordinates
573 ATLASSERT(rc.left == 0 && rc.top == 0);
574
575 // create a trianglar region
578 if (m_bDowner)
579 {
580 ::MoveToEx(hDC, rc.right, 0, NULL);
581 ::LineTo(hDC, rc.right, rc.bottom);
582 ::LineTo(hDC, 0, rc.bottom);
583 ::LineTo(hDC, rc.right, 0);
584 }
585 else
586 {
587 ::MoveToEx(hDC, rc.right, rc.bottom, NULL);
588 ::LineTo(hDC, rc.right, 0);
589 ::LineTo(hDC, 0, 0);
590 ::LineTo(hDC, rc.right, rc.bottom);
591 }
592 ::EndPath(hDC);
593 HRGN hRgn = ::PathToRegion(hDC);
595
596 SetWindowRgn(hRgn, TRUE); // set the trianglar region
597}
598
599// WM_ERASEBKGND
601{
602 return TRUE; // do nothing (for quick drawing)
603}
604
605// WM_NCHITTEST
607{
608 return HTTRANSPARENT; // pass through
609}
610
611// WM_PAINT
613{
614 CRect rc;
615 GetClientRect(&rc);
616
617 PAINTSTRUCT ps;
618 HDC hDC = BeginPaint(&ps);
619 if (!hDC)
620 return 0;
621
622 // fill background
624
625 // draw size-box
626 INT cxy = rc.Width();
627 for (INT shift = 0; shift < 2; ++shift)
628 {
629 // choose pen color
631 HPEN hPen = ::CreatePen(PS_SOLID, 1, ::GetSysColor(iColor));
632 HGDIOBJ hPenOld = ::SelectObject(hDC, hPen);
633 // do loop to draw the slanted lines
634 for (INT delta = cxy / 4; delta < cxy; delta += cxy / 4)
635 {
636 // draw a grip line
637 if (m_bDowner)
638 {
639 ::MoveToEx(hDC, rc.right, rc.top + delta + shift, NULL);
640 ::LineTo(hDC, rc.left + delta + shift, rc.bottom);
641 }
642 else
643 {
644 ::MoveToEx(hDC, rc.left + delta + shift, rc.top, NULL);
645 ::LineTo(hDC, rc.right, rc.bottom - delta - shift);
646 }
647 }
648 // delete pen
649 ::SelectObject(hDC, hPenOld);
650 ::DeleteObject(hPen);
651 }
652
653 EndPaint(&ps);
654 return 0;
655}
656
658// CAutoComplete public methods
659
661 : m_bInSetText(FALSE), m_bInSelectItem(FALSE), m_bEditHasFocus(FALSE)
662 , m_bDowner(TRUE), m_dwOptions(ACO_AUTOAPPEND | ACO_AUTOSUGGEST)
663 , m_bEnabled(TRUE), m_hwndCombo(NULL), m_hFont(NULL), m_bResized(FALSE)
664 , m_hwndEdit(NULL), m_fnOldEditProc(NULL), m_fnOldWordBreakProc(NULL)
665 , m_hThread(NULL), m_pThread(NULL)
666{
667}
668
670{
671 ATLASSERT(m_hWnd == NULL);
672 DWORD dwStyle = WS_POPUP | /*WS_VISIBLE |*/ WS_CLIPSIBLINGS | WS_CLIPCHILDREN | WS_BORDER;
674 Create(NULL, NULL, NULL, dwStyle, dwExStyle);
675 TRACE("CAutoComplete::CreateDropDown(%p): m_hWnd=%p, m_hwndEdit=%p\n",
676 this, m_hWnd, m_hwndEdit);
677 return m_hWnd;
678}
679
681{
682 TRACE("CAutoComplete::~CAutoComplete(%p)\n", this);
683 if (m_hThread)
684 {
686 m_hThread = NULL;
687 }
688 if (m_hFont)
689 {
691 m_hFont = NULL;
692 }
693 // quit holding them
694 m_pEnum.Release();
695 m_pACList.Release();
696}
697
699{
700 return !!(m_dwOptions & ACO_AUTOSUGGEST) && m_bEnabled;
701}
702
704{
705 return !!(m_dwOptions & ACO_AUTOAPPEND) && m_bEnabled;
706}
707
709{
710 return !!(m_dwOptions & ACO_USETAB) && m_bEnabled;
711}
712
714{
716 return FALSE;
718}
719
721{
723}
724
726{
727 return m_outerList.GetSize();
728}
729
731{
732 if (iItem < 0 || m_outerList.GetSize() <= iItem)
733 return L"";
734 return m_outerList[iItem];
735}
736
738{
739 WCHAR szText[L_MAX_URL_LENGTH];
740 if (::GetWindowTextW(m_hwndEdit, szText, _countof(szText)))
741 return szText;
742 return L"";
743}
744
746{
747 m_bInSetText = TRUE; // don't hide drop-down
748 ::CallWindowProcW(m_fnOldEditProc, m_hwndEdit, WM_SETTEXT, 0, reinterpret_cast<LPARAM>(pszText));
750}
751
752inline CStringW CAutoComplete::GetStemText(const CStringW& strText) const
753{
754 INT ich = strText.ReverseFind(L'\\');
755 if (ich == -1)
756 return L""; // no stem
757 return strText.Left(ich + 1);
758}
759
761{
763}
764
766{
767 if (!m_hWnd || !CanAutoSuggest())
768 return;
769
770 INT cItems = GetItemCount();
771 if (cItems == 0 || ::GetFocus() != m_hwndEdit || IsComboBoxDropped())
772 {
773 // hide the drop-down if necessary
774 HideDropDown();
775 return;
776 }
777
779}
780
782{
784}
785
787{
788 m_hwndList.SetCurSel(iItem);
789 if (iItem != -1)
790 m_hwndList.EnsureVisible(iItem, FALSE);
791}
792
794{
795 if (!CanAutoAppend()) // can we auto-append?
796 return; // don't append
797
798 CStringW strText = GetEditText(); // get the text
799 if (strText.IsEmpty())
800 return; // don't append
801
802 INT cItems = m_outerList.GetSize(); // get the number of items
803 if (cItems == 0)
804 return; // don't append
805
806 // get the common string
807 CStringW strCommon;
808 BOOL bFound = FALSE;
809 for (INT iItem = 0; iItem < cItems; ++iItem)
810 {
811 const CStringW& strItem = m_outerList[iItem]; // get the text of the item
812
813 CStringW strBody;
814 if (DropPrefix(strItem, strBody) &&
815 ::StrCmpNIW(strBody, strText, strText.GetLength()) == 0)
816 {
817 if (!bFound)
818 {
819 bFound = TRUE;
820 strCommon = strBody;
821 continue;
822 }
823 for (INT ich = 0; ich < strBody.GetLength(); ++ich)
824 {
825 if (strCommon.GetLength() <= ich)
826 break;
827 if (ChrCmpIW(strCommon[ich], strBody[ich]) != 0)
828 {
829 strCommon = strCommon.Left(ich);
830 break;
831 }
832 }
833 continue;
834 }
835
836 if (::StrCmpNIW(strItem, strText, strText.GetLength()) == 0)
837 {
838 if (!bFound)
839 {
840 bFound = TRUE;
841 strCommon = strItem;
842 continue;
843 }
844
845 for (INT ich = 0; ich < strItem.GetLength(); ++ich)
846 {
847 if (strCommon.GetLength() <= ich)
848 break;
849 if (ChrCmpIW(strCommon[ich], strItem[ich]) != 0)
850 {
851 strCommon = strCommon.Left(ich);
852 break;
853 }
854 }
855 }
856 }
857
858 if (strCommon.IsEmpty() || strCommon.GetLength() <= strText.GetLength())
859 return; // no suggestion
860
861 // append suggestion
862 SetEditText(strCommon);
863
864 // select the appended suggestion
865 SetEditSel(strText.GetLength(), strCommon.GetLength());
866}
867
868// go back a word ([Ctrl]+[Backspace])
870{
871 // get current selection
872 INT ich0, ich1;
874 reinterpret_cast<WPARAM>(&ich0), reinterpret_cast<LPARAM>(&ich1));
875 if (ich0 <= 0 || ich0 != ich1) // there is selection or left-side end
876 return; // don't do anything
877 // get text
879 // extend the range
880 while (ich0 > 0 && IsWordBreak(str[ich0 - 1]))
881 --ich0;
882 while (ich0 > 0 && !IsWordBreak(str[ich0 - 1]))
883 --ich0;
884 // select range
885 SetEditSel(ich0, ich1);
886 // replace selection with empty text (this is actually deletion)
888}
889
891{
892 // copy scroll info from m_hwndList to m_hwndScrollBar
893 SCROLLINFO si = { sizeof(si), SIF_ALL };
894 m_hwndList.GetScrollInfo(SB_VERT, &si);
895 m_hwndScrollBar.SetScrollInfo(SB_CTL, &si, FALSE);
896
897 // show/hide scroll bar
898 INT cVisibles = m_hwndList.GetVisibleCount();
899 INT cItems = m_hwndList.GetItemCount();
900 BOOL bShowScroll = (cItems > cVisibles);
901 m_hwndScrollBar.ShowWindow(bShowScroll ? SW_SHOWNOACTIVATE : SW_HIDE);
902 if (bShowScroll)
903 m_hwndScrollBar.InvalidateRect(NULL, FALSE); // redraw
904}
905
907{
908 TRACE("CAutoComplete::OnEditKeyDown(%p, %p)\n", this, wParam);
909
910 UINT vk = (UINT)wParam; // virtual key
911 switch (vk)
912 {
913 case VK_UP: case VK_DOWN:
914 case VK_PRIOR: case VK_NEXT:
915 // is suggestion available?
916 if (!CanAutoSuggest())
917 return FALSE; // do default
918 if (IsWindowVisible())
919 return OnListUpDown(vk);
920 break;
921 case VK_ESCAPE:
922 {
923 // is suggestion available?
924 if (!CanAutoSuggest())
925 return FALSE; // do default
926 if (IsWindowVisible())
927 {
928 SetEditText(m_strText); // revert the edit text
929 // select the end
932 HideDropDown(); // hide
933 return TRUE; // eat
934 }
935 break;
936 }
937 case VK_RETURN:
938 {
939 if (::GetKeyState(VK_CONTROL) < 0)
940 {
941 // quick edit
942 CStringW strText = GetEditText();
943 SetEditText(GetQuickEdit(strText));
944 }
945 else
946 {
947 // if item is selected, then update the edit text
948 INT iItem = m_hwndList.GetCurSel();
949 if (iItem != -1)
950 {
951 CStringW strText = GetItemText(iItem);
952 SetEditText(strText);
953 }
954 }
955 // select all
957 SetEditSel(0, cch);
958 // hide
959 HideDropDown();
960 break;
961 }
962 case VK_TAB:
963 {
964 // ACO_USETAB
965 if (IsWindowVisible() && UseTab())
966 {
967 if (GetKeyState(VK_SHIFT) < 0)
968 return OnListUpDown(VK_UP);
969 else
970 return OnListUpDown(VK_DOWN);
971 }
972 break;
973 }
974 case VK_DELETE:
975 {
976 // is suggestion available?
977 if (!CanAutoSuggest())
978 return FALSE; // do default
981 return TRUE; // eat
982 }
983 case VK_BACK:
984 {
985 if (::GetKeyState(VK_CONTROL) < 0)
986 {
987 DoBackWord();
988 return TRUE; // eat
989 }
990 break;
991 }
992 }
993 return FALSE; // default
994}
995
997{
998 TRACE("CACEditCtrl::OnEditChar(%p, %p)\n", this, wParam);
999 if (wParam == L'\n' || wParam == L'\t')
1000 return 0; // eat
1002 if (CanAutoSuggest() || CanAutoAppend())
1004 return ret;
1005}
1006
1008{
1009 // update EDIT text
1010 INT iItem = m_hwndList.GetCurSel();
1011 CStringW text = ((iItem != -1) ? GetItemText(iItem) : m_strText);
1013 // ensure the item visible
1014 m_hwndList.EnsureVisible(iItem, FALSE);
1015 // select the end
1016 INT cch = text.GetLength();
1017 SetEditSel(cch, cch);
1018}
1019
1021{
1022 if (!CanAutoSuggest())
1023 return FALSE; // default
1024
1026 {
1027 ShowDropDown();
1028 return TRUE; // eat
1029 }
1030
1031 INT iItem = m_hwndList.GetCurSel(); // current selection
1032 INT cItems = m_hwndList.GetItemCount(); // the number of items
1033 switch (vk)
1034 {
1035 case VK_UP:
1036 if (iItem == -1)
1037 iItem = cItems - 1;
1038 else if (iItem == 0)
1039 iItem = -1;
1040 else
1041 --iItem;
1042 m_hwndList.SetCurSel(iItem);
1043 break;
1044 case VK_DOWN:
1045 if (iItem == -1)
1046 iItem = 0;
1047 else if (iItem == cItems - 1)
1048 iItem = -1;
1049 else
1050 ++iItem;
1051 m_hwndList.SetCurSel(iItem);
1052 break;
1053 case VK_PRIOR:
1054 if (iItem == -1)
1055 {
1056 iItem = cItems - 1;
1057 }
1058 else if (iItem == 0)
1059 {
1060 iItem = -1;
1061 }
1062 else
1063 {
1064 iItem -= m_hwndList.GetVisibleCount() - 1;
1065 if (iItem < 0)
1066 iItem = 0;
1067 }
1068 m_hwndList.SetCurSel(iItem);
1069 break;
1070 case VK_NEXT:
1071 if (iItem == -1)
1072 {
1073 iItem = 0;
1074 }
1075 else if (iItem == cItems - 1)
1076 {
1077 iItem = -1;
1078 }
1079 else
1080 {
1081 iItem += m_hwndList.GetVisibleCount() - 1;
1082 if (iItem > cItems)
1083 iItem = cItems - 1;
1084 }
1085 m_hwndList.SetCurSel(iItem);
1086 break;
1087 default:
1088 {
1090 break;
1091 }
1092 }
1093
1094 return TRUE; // eat
1095}
1096
1098// CAutoComplete IAutoComplete methods
1099
1100// @implemented
1102{
1103 TRACE("(%p)->Enable(%d)\n", this, fEnable);
1104 m_bEnabled = fEnable;
1105 return S_OK;
1106}
1107
1110 LPCOLESTR pwszRegKeyPath, LPCOLESTR pwszQuickComplete)
1111{
1112 TRACE("(%p)->Init(0x%08lx, %p, %s, %s)\n",
1113 this, hwndEdit, punkACL, debugstr_w(pwszRegKeyPath), debugstr_w(pwszQuickComplete));
1114 // sanity check
1115 if (m_hwndEdit || !punkACL)
1116 return E_FAIL;
1117 if (!hwndEdit)
1118 return E_INVALIDARG;
1119 // do subclass textbox to watch messages
1121 if (!m_fnOldEditProc)
1122 return E_FAIL;
1123 if (!::SetWindowSubclass(hwndEdit, EditSubclassProc, 0, reinterpret_cast<DWORD_PTR>(this)))
1124 return E_FAIL;
1127 // add reference to m_hwndEdit
1128 AddRef();
1129 // set word break procedure
1130 m_fnOldWordBreakProc = reinterpret_cast<EDITWORDBREAKPROCW>(
1132 reinterpret_cast<LPARAM>(EditWordBreakProcW)));
1133 // save position
1135
1136 // get an IEnumString
1138 TRACE("m_pEnum: %p\n", static_cast<void *>(m_pEnum));
1139
1140 // get an IACList
1141 punkACL->QueryInterface(IID_IACList, (VOID **)&m_pACList);
1142 TRACE("m_pACList: %p\n", static_cast<void *>(m_pACList));
1143
1144 UpdateDropDownState(); // create/hide the drop-down window if necessary
1145
1146 // load quick completion info
1147 LoadQuickComplete(pwszRegKeyPath, pwszQuickComplete);
1148
1149 // any combobox for m_hwndEdit?
1150 m_hwndCombo = NULL;
1152 WCHAR szClass[16];
1153 if (::GetClassNameW(hwndParent, szClass, _countof(szClass)))
1154 {
1155 if (::StrCmpIW(szClass, WC_COMBOBOXW) == 0 ||
1156 ::StrCmpIW(szClass, WC_COMBOBOXEXW) == 0)
1157 {
1158 m_hwndCombo = hwndParent; // get combobox
1159 }
1160 }
1161
1162 return S_OK;
1163}
1164
1166// CAutoComplete IAutoComplete2 methods
1167
1168// @implemented
1170{
1171 TRACE("(%p) -> (%p)\n", this, pdwFlag);
1172 if (pdwFlag)
1173 {
1174 *pdwFlag = m_dwOptions;
1175 return S_OK;
1176 }
1177 return E_INVALIDARG;
1178}
1179
1180// @implemented
1182{
1183 TRACE("(%p) -> (0x%x)\n", this, dwFlag);
1184 m_dwOptions = dwFlag;
1185
1186 if (m_dwOptions & ACO_SEARCH)
1187 FIXME(" ACO_SEARCH not supported\n");
1189 FIXME(" ACO_FILTERPREFIXES not supported\n");
1191 FIXME(" ACO_RTLREADING not supported\n");
1192
1193 UpdateDropDownState(); // create/hide the drop-down window if necessary
1194 return S_OK;
1195}
1196
1198// CAutoComplete IAutoCompleteDropDown methods
1199
1200// @implemented
1202{
1203 BOOL dropped = m_hwndList.IsWindowVisible();
1204
1205 if (pdwFlags)
1206 *pdwFlags = (dropped ? ACDD_VISIBLE : 0);
1207
1208 if (ppwszString)
1209 {
1210 *ppwszString = NULL;
1211
1212 if (dropped)
1213 {
1214 // get selected item
1215 INT iItem = m_hwndList.GetCurSel();
1216 if (iItem >= 0)
1217 {
1218 // get the text of item
1219 CStringW strText = m_hwndList.GetItemText(iItem);
1220
1221 // store to *ppwszString
1222 SHStrDupW(strText, ppwszString);
1223 if (*ppwszString == NULL)
1224 return E_OUTOFMEMORY;
1225 }
1226 }
1227 }
1228
1229 return S_OK;
1230}
1231
1233{
1234 FIXME("(%p): stub\n", this);
1235
1236 Reset();
1237 m_hwndList.SendMessageW(LVM_SETITEMCOUNT, 0, 0);
1238 m_outerList.RemoveAll();
1239 return S_OK;
1240}
1241
1243// CAutoComplete IEnumString methods
1244
1245// @implemented
1247{
1248 TRACE("(%p, %d, %p, %p)\n", this, celt, rgelt, pceltFetched);
1249 if (rgelt)
1250 *rgelt = NULL;
1251 if (*pceltFetched)
1252 *pceltFetched = 0;
1253 if (celt != 1 || !rgelt || !pceltFetched || !m_pEnum)
1254 return E_INVALIDARG;
1255
1256 LPWSTR pszText = NULL;
1257 HRESULT hr = m_pEnum->Next(1, &pszText, pceltFetched);
1258 if (hr == S_OK)
1259 *rgelt = pszText;
1260 else
1261 ::CoTaskMemFree(pszText);
1262 return hr;
1263}
1264
1265// @implemented
1267{
1268 TRACE("(%p, %d)\n", this, celt);
1269 return E_NOTIMPL;
1270}
1271
1272// @implemented
1274{
1275 TRACE("(%p)\n", this);
1276 if (m_pEnum)
1277 return m_pEnum->Reset();
1278 return E_FAIL;
1279}
1280
1281// @implemented
1283{
1284 TRACE("(%p, %p)\n", this, ppOut);
1285 if (ppOut)
1286 *ppOut = NULL;
1287 return E_NOTIMPL;
1288}
1289
1291// CAutoComplete protected methods
1292
1294{
1295 if (CanAutoSuggest())
1296 {
1297 // create the drop-down window if not existed
1298 if (!m_hWnd)
1300 }
1301 else
1302 {
1303 // hide if existed
1304 if (m_hWnd)
1306 }
1307}
1308
1309// calculate the positions of the controls
1310VOID CAutoComplete::CalcRects(BOOL bDowner, RECT& rcList, RECT& rcScrollBar, RECT& rcSizeBox) const
1311{
1312 // get the client rectangle
1313 RECT rcClient;
1314 GetClientRect(&rcClient);
1315
1316 // the list
1317 rcList = rcClient;
1318 rcList.right = rcList.left + CX_LIST;
1319
1320 // the scroll bar
1321 rcScrollBar = rcClient;
1322 rcScrollBar.left = rcClient.right - GetSystemMetrics(SM_CXVSCROLL);
1323 if (bDowner)
1324 {
1325 rcScrollBar.top = 0;
1326 rcScrollBar.bottom = rcClient.bottom - GetSystemMetrics(SM_CYHSCROLL);
1327 }
1328 else
1329 {
1330 rcScrollBar.top = GetSystemMetrics(SM_CYHSCROLL);
1331 }
1332
1333 // the size box
1334 rcSizeBox = rcClient;
1335 rcSizeBox.left = rcClient.right - GetSystemMetrics(SM_CXVSCROLL);
1336 if (bDowner)
1337 {
1338 rcSizeBox.top = rcClient.bottom - GetSystemMetrics(SM_CYHSCROLL);
1339 }
1340 else
1341 {
1342 rcSizeBox.top = 0;
1343 rcSizeBox.bottom = rcClient.top + GetSystemMetrics(SM_CYHSCROLL);
1344 }
1345}
1346
1347VOID CAutoComplete::LoadQuickComplete(LPCWSTR pwszRegKeyPath, LPCWSTR pwszQuickComplete)
1348{
1350
1351 if (pwszRegKeyPath)
1352 {
1353 CStringW strPath = pwszRegKeyPath;
1354 INT ichSep = strPath.ReverseFind(L'\\'); // find separator
1355 if (ichSep != -1) // found the last separator
1356 {
1357 // split by the separator
1358 CStringW strKey = strPath.Left(ichSep);
1359 CStringW strName = strPath.Mid(ichSep + 1);
1360
1361 // load from registry
1362 WCHAR szValue[MAX_PATH] = L"";
1363 DWORD cbValue = sizeof(szValue), dwType = REG_NONE;
1364 SHRegGetUSValueW(pwszRegKeyPath, strName, &dwType,
1365 szValue, &cbValue, FALSE, NULL, 0);
1366 if (szValue[0] != 0 && cbValue != 0 &&
1367 (dwType == REG_SZ || dwType == REG_EXPAND_SZ))
1368 {
1369 m_strQuickComplete = szValue;
1370 }
1371 }
1372 }
1373
1374 if (pwszQuickComplete && m_strQuickComplete.IsEmpty())
1375 {
1376 m_strQuickComplete = pwszQuickComplete;
1377 }
1378}
1379
1381{
1382 if (pszText[0] == 0 || m_strQuickComplete.IsEmpty())
1383 return pszText;
1384
1385 // m_strQuickComplete will be "www.%s.com" etc.
1386 CStringW ret;
1387 ret.Format(m_strQuickComplete, pszText);
1388 return ret;
1389}
1390
1392{
1393 // If Edit has no focus, don't open auto-complete
1394 if (!m_bEditHasFocus)
1395 {
1396 TRACE("!m_bEditHasFocus\n");
1397 return;
1398 }
1399
1400 // get nearest monitor from m_hwndEdit
1401 HMONITOR hMon = ::MonitorFromWindow(m_hwndEdit, MONITOR_DEFAULTTONEAREST);
1402 ATLASSERT(hMon != NULL);
1403 if (hMon == NULL)
1404 return;
1405
1406 // get nearest monitor info
1407 MONITORINFO mi = { sizeof(mi) };
1408 if (!::GetMonitorInfo(hMon, &mi))
1409 {
1411 return;
1412 }
1413
1414 // get count and item height
1415 INT cItems = GetItemCount();
1416 INT cyItem = m_hwndList.m_cyItem;
1417 ATLASSERT(cyItem > 0);
1418
1419 // get m_hwndEdit position
1420 RECT rcEdit;
1421 ::GetWindowRect(m_hwndEdit, &rcEdit);
1422 INT x = rcEdit.left, y = rcEdit.bottom;
1423
1424 // get list extent
1425 RECT rcMon = mi.rcMonitor;
1426 INT cx = rcEdit.right - rcEdit.left, cy = cItems * cyItem;
1427 BOOL bLongList = FALSE;
1428 if (cy > CY_LIST)
1429 {
1430 cy = INT(CY_LIST / cyItem) * cyItem;
1431 bLongList = TRUE;
1432 }
1433
1434 // convert rectangle for frame
1435 RECT rc = { 0, 0, cx, cy };
1436 AdjustWindowRectEx(&rc, GetStyle(), FALSE, GetExStyle());
1437 cy = rc.bottom - rc.top;
1438
1439 if (!m_bResized)
1440 {
1441 // is the drop-down window a 'downer' or 'upper'?
1442 // NOTE: 'downer' is below the EDIT control. 'upper' is above the EDIT control.
1443 m_bDowner = (rcEdit.bottom + cy < rcMon.bottom);
1444 }
1445
1446 // adjust y and cy
1447 if (m_bDowner)
1448 {
1449 if (rcMon.bottom < y + cy)
1450 {
1451 cy = ((rcMon.bottom - y) / cyItem) * cyItem;
1452 bLongList = TRUE;
1453 }
1454 }
1455 else
1456 {
1457 if (rcEdit.top < rcMon.top + cy)
1458 {
1459 cy = ((rcEdit.top - rcMon.top) / cyItem) * cyItem;
1460 bLongList = TRUE;
1461 }
1462 y = rcEdit.top - cy;
1463 }
1464
1465 // set status
1466 m_hwndSizeBox.SetStatus(m_bDowner, bLongList);
1467
1468 if (m_bResized) // already resized?
1469 PostMessageW(WM_SIZE, 0, 0); // re-layout
1470 else
1471 MoveWindow(x, y, cx, cy); // move
1472
1473 // show without activation
1475}
1476
1477VOID
1479 const CSimpleArray<CStringW>& innerList,
1480 const CString& strText)
1481{
1482 for (INT iItem = 0; iItem < innerList.GetSize(); ++iItem)
1483 {
1484 if (m_pThread || !m_hThread)
1485 break;
1486
1487 const CStringW& strTarget = innerList[iItem];
1488 if (DoesMatch(strTarget, strText))
1489 {
1490 outerList.Add(strTarget);
1491
1492 if (outerList.GetSize() >= MAX_ITEM_COUNT)
1493 break;
1494 }
1495 }
1496}
1497
1499{
1500 pThread->m_innerList.RemoveAll(); // clear contents
1501
1502 if (!m_pEnum || pThread->m_strText.IsEmpty())
1503 return;
1504
1505 // reload the items
1506 LPWSTR pszItem;
1507 ULONG cGot;
1508 HRESULT hr;
1509 CSimpleArray<CStringW>& innerList = pThread->m_innerList;
1510 while (!m_pThread && m_hThread)
1511 {
1512 // get next item
1513 hr = m_pEnum->Next(1, &pszItem, &cGot);
1514 if (hr != S_OK)
1515 break;
1516
1517 innerList.Add(pszItem); // append item to innerList
1518 ::CoTaskMemFree(pszItem); // free
1519 }
1520}
1521
1523{
1524 TRACE("CAutoComplete::StartCompletion(%p, %d)\n", this, bAppendOK);
1525
1526 if (!m_pEnum || (!CanAutoSuggest() && !CanAutoAppend()))
1527 return;
1528
1529 ::SendMessageW(m_hWnd, AUTOCOMP_START, bAppendOK, 0);
1530}
1531
1533// CAutoComplete message handlers
1534
1535// WM_CREATE
1536// This message is sent when the window is about to be created after WM_NCCREATE.
1537// The return value is -1 (failure) or zero (success).
1539{
1540 TRACE("CAutoComplete::OnCreate(%p)\n", this);
1541
1542 // set the pointer of CAutoComplete
1543 m_hwndList.m_pDropDown = this;
1546
1547 // create the children
1548 m_hwndList.Create(m_hWnd);
1549 if (!m_hwndList)
1550 return -1; // failure
1551 m_hwndSizeBox.Create(m_hWnd);
1552 if (!m_hwndSizeBox)
1553 return -1; // failure
1554 m_hwndScrollBar.Create(m_hWnd);
1555 if (!m_hwndScrollBar)
1556 return -1; // failure
1557
1558 // show the controls
1559 m_hwndList.ShowWindow(SW_SHOWNOACTIVATE);
1560 m_hwndSizeBox.ShowWindow(SW_SHOWNOACTIVATE);
1562
1563 // set the list font
1564 m_hFont = reinterpret_cast<HFONT>(::GetStockObject(DEFAULT_GUI_FONT));
1566
1567 // add reference so we won't be deleted during message processing
1568 AddRef();
1569 return 0; // success
1570}
1571
1572// WM_NCDESTROY
1574{
1575 TRACE("CAutoComplete::OnNCDestroy(%p)\n", this);
1576
1577 // hide
1578 if (IsWindowVisible())
1579 HideDropDown();
1580
1581 // clear CAutoComplete pointers
1585
1586 // destroy controls
1587 m_hwndList.DestroyWindow();
1588 m_hwndScrollBar.DestroyWindow();
1589 m_hwndSizeBox.DestroyWindow();
1590
1591 // clean up
1592 m_hwndCombo = NULL;
1593
1594 // Tell ATL to clean up
1595 bHandled = 0;
1596
1597 return 0;
1598}
1599
1601{
1602 // The message loop is finished, now we can safely destruct!
1603 Release();
1604}
1605
1606// WM_EXITSIZEMOVE
1607// This message is sent once to a window after it has exited the moving or sizing mode.
1609{
1610 TRACE("CAutoComplete::OnExitSizeMove(%p)\n", this);
1611 m_bResized = TRUE; // remember resized
1612
1613 ModifyStyle(WS_THICKFRAME, 0); // remove thick frame to resize
1614 // frame changed
1616 SetWindowPos(NULL, 0, 0, 0, 0, uSWP_);
1617
1618 ::SetFocus(m_hwndEdit); // restore focus
1619 return 0;
1620}
1621
1622// WM_DRAWITEM @implemented
1623// This message is sent to the owner window to draw m_hwndList.
1625{
1626 LPDRAWITEMSTRUCT pDraw = reinterpret_cast<LPDRAWITEMSTRUCT>(lParam);
1627 ATLASSERT(pDraw != NULL);
1629
1630 // sanity check
1631 if (pDraw->CtlType != ODT_LISTVIEW || pDraw->hwndItem != m_hwndList)
1632 return FALSE;
1633
1634 // item rectangle
1635 RECT rcItem = pDraw->rcItem;
1636
1637 // get info
1638 UINT iItem = pDraw->itemID; // the index of item
1639 CStringW strItem = m_hwndList.GetItemText(iItem); // get text of item
1640
1641 // draw background and set text color
1642 HDC hDC = pDraw->hDC;
1643 BOOL bSelected = (pDraw->itemState & ODS_SELECTED);
1644 if (bSelected)
1645 {
1648 }
1649 else
1650 {
1653 }
1654
1655 // draw text
1657 HGDIOBJ hFontOld = ::SelectObject(hDC, m_hFont);
1658 const UINT uDT_ = DT_LEFT | DT_NOPREFIX | DT_SINGLELINE | DT_VCENTER;
1660 ::DrawTextW(hDC, strItem, -1, &rcItem, uDT_);
1661 ::SelectObject(hDC, hFontOld);
1662
1663 return TRUE;
1664}
1665
1666// WM_GETMINMAXINFO @implemented
1667// This message is sent to a window when the size or position of the window is about to change.
1669{
1670 // restrict minimum size
1671 LPMINMAXINFO pInfo = reinterpret_cast<LPMINMAXINFO>(lParam);
1674 return 0;
1675}
1676
1677// WM_MEASUREITEM @implemented
1678// This message is sent to the owner window to get the item extent of m_hwndList.
1680{
1681 LPMEASUREITEMSTRUCT pMeasure = reinterpret_cast<LPMEASUREITEMSTRUCT>(lParam);
1682 ATLASSERT(pMeasure != NULL);
1683 if (pMeasure->CtlType != ODT_LISTVIEW)
1684 return FALSE;
1685 if (!m_hwndList)
1686 return FALSE;
1688 pMeasure->itemHeight = m_hwndList.m_cyItem; // height of item
1689 return TRUE;
1690}
1691
1692// WM_MOUSEACTIVATE @implemented
1693// The return value of this message specifies whether the window should be activated or not.
1695{
1696 return MA_NOACTIVATE; // don't activate by mouse
1697}
1698
1699// WM_NCACTIVATE
1700// This message is sent to a window to indicate an active or inactive state.
1702{
1703 bHandled = FALSE; // do default
1704 return 0;
1705}
1706
1707// WM_NCLBUTTONDOWN
1709{
1710 switch (wParam)
1711 {
1712 case HTBOTTOMRIGHT: case HTTOPRIGHT:
1713 {
1714 // add thick frame to resize.
1715 ModifyStyle(0, WS_THICKFRAME);
1716 // frame changed
1718 SetWindowPos(NULL, 0, 0, 0, 0, uSWP_);
1719 break;
1720 }
1721 }
1722 bHandled = FALSE; // do default
1723 return 0;
1724}
1725
1726// WM_NOTIFY
1727// This message informs the parent window of a control that an event has occurred.
1729{
1730 LPNMHDR pnmh = reinterpret_cast<LPNMHDR>(lParam);
1731 ATLASSERT(pnmh != NULL);
1732
1733 switch (pnmh->code)
1734 {
1735 case NM_DBLCLK: // double-clicked
1736 {
1737 TRACE("NM_DBLCLK\n");
1738 HideDropDown();
1739 break;
1740 }
1741 case NM_HOVER: // mouse is hovering
1742 {
1743 POINT pt;
1744 ::GetCursorPos(&pt); // get cursor position in screen coordinates
1745 m_hwndList.ScreenToClient(&pt); // into client coordinates
1746 INT iItem = m_hwndList.ItemFromPoint(pt.x, pt.y);
1747 if (iItem != -1)
1748 {
1749 m_bInSelectItem = TRUE; // don't respond
1750 m_hwndList.SetCurSel(iItem); // select
1752 }
1753 return TRUE; // eat
1754 }
1755 case LVN_GETDISPINFOA: // for user's information only
1756 {
1757 TRACE("LVN_GETDISPINFOA\n");
1758 if (pnmh->hwndFrom != m_hwndList)
1759 break;
1760
1761 LV_DISPINFOA *pDispInfo = reinterpret_cast<LV_DISPINFOA *>(pnmh);
1762 LV_ITEMA *pItem = &pDispInfo->item;
1763 INT iItem = pItem->iItem;
1764 if (iItem == -1)
1765 break;
1766
1767 CStringW strText = GetItemText(iItem);
1768 if (pItem->mask & LVIF_TEXT)
1769 SHUnicodeToAnsi(strText, pItem->pszText, pItem->cchTextMax);
1770 break;
1771 }
1772 case LVN_GETDISPINFOW: // for user's information only
1773 {
1774 TRACE("LVN_GETDISPINFOW\n");
1775 if (pnmh->hwndFrom != m_hwndList)
1776 break;
1777
1778 LV_DISPINFOW *pDispInfo = reinterpret_cast<LV_DISPINFOW *>(pnmh);
1779 LV_ITEMW *pItem = &pDispInfo->item;
1780 INT iItem = pItem->iItem;
1781 if (iItem == -1)
1782 break;
1783
1784 CStringW strText = GetItemText(iItem);
1785 if (pItem->mask & LVIF_TEXT)
1786 StringCbCopyW(pItem->pszText, pItem->cchTextMax, strText);
1787 break;
1788 }
1789 case LVN_HOTTRACK: // enabled by LVS_EX_TRACKSELECT
1790 {
1791 TRACE("LVN_HOTTRACK\n");
1792 LPNMLISTVIEW pListView = reinterpret_cast<LPNMLISTVIEW>(pnmh);
1793 INT iItem = pListView->iItem;
1794 TRACE("LVN_HOTTRACK: iItem:%d\n", iItem);
1795 m_hwndList.SetCurSel(iItem);
1796 m_hwndList.EnsureVisible(iItem, FALSE);
1797 return TRUE;
1798 }
1799 case LVN_ITEMACTIVATE: // enabled by LVS_EX_ONECLICKACTIVATE
1800 {
1801 TRACE("LVN_ITEMACTIVATE\n");
1802 LPNMITEMACTIVATE pItemActivate = reinterpret_cast<LPNMITEMACTIVATE>(pnmh);
1803 INT iItem = pItemActivate->iItem;
1804 TRACE("LVN_ITEMACTIVATE: iItem:%d\n", iItem);
1805 if (iItem != -1) // the item is clicked
1806 {
1807 SelectItem(iItem);
1808 HideDropDown();
1809 }
1810 break;
1811 }
1812 case LVN_ITEMCHANGED: // item info is changed
1813 {
1814 TRACE("LVN_ITEMCHANGED\n");
1815 LPNMLISTVIEW pListView = reinterpret_cast<LPNMLISTVIEW>(pnmh);
1816 if (pListView->uChanged & LVIF_STATE) // selection changed
1817 {
1818 // listview selection changed
1819 if (!m_bInSelectItem)
1820 {
1822 }
1824 }
1825 break;
1826 }
1827 }
1828
1829 return 0;
1830}
1831
1832// WM_NCHITTEST @implemented
1833// The return value is indicating the cursor shape and the behaviour.
1835{
1836 TRACE("CAutoComplete::OnNCHitTest(%p)\n", this);
1837 POINT pt = { GET_X_LPARAM(lParam), GET_Y_LPARAM(lParam) }; // in screen coordinates
1838 ScreenToClient(&pt); // into client coordinates
1839 if (ChildWindowFromPoint(pt) == m_hwndSizeBox) // hit?
1840 {
1841 // allow resizing (with cursor shape)
1843 }
1844 bHandled = FALSE; // do default
1845 return 0;
1846}
1847
1848// WM_SIZE @implemented
1849// This message is sent when the window size is changed.
1851{
1852 // calculate the positions of the controls
1853 CRect rcList, rcScrollBar, rcSizeBox;
1854 CalcRects(m_bDowner, rcList, rcScrollBar, rcSizeBox);
1855
1856 // reposition the controls in smartest way
1858 HDWP hDWP = ::BeginDeferWindowPos(3);
1860 rcScrollBar.left, rcScrollBar.top,
1861 rcScrollBar.Width(), rcScrollBar.Height(), uSWP_);
1863 rcSizeBox.left, rcSizeBox.top,
1864 rcSizeBox.Width(), rcSizeBox.Height(), uSWP_);
1866 rcList.left, rcList.top,
1867 rcList.Width(), rcList.Height(), uSWP_);
1868 ::EndDeferWindowPos(hDWP);
1869
1871 return 0;
1872}
1873
1874// WM_SHOWWINDOW
1876{
1877 // hook mouse events
1878 BOOL bShow = (BOOL)wParam;
1879 if (bShow)
1880 {
1881 if (s_hWatchWnd != m_hWnd && ::IsWindowVisible(s_hWatchWnd))
1883 s_hWatchWnd = m_hWnd; // watch this
1884
1885 // unhook mouse if any
1886 if (s_hMouseHook)
1887 {
1888 HHOOK hHookOld = s_hMouseHook;
1890 ::UnhookWindowsHookEx(hHookOld);
1891 }
1892
1893 // hook mouse
1896
1897 // set timer
1899
1900 bHandled = FALSE; // do default
1901 return 0;
1902 }
1903 else
1904 {
1905 // kill timer
1907
1908 s_hWatchWnd = NULL; // unwatch
1909
1910 // unhook mouse if any
1911 if (s_hMouseHook)
1912 {
1913 HHOOK hHookOld = s_hMouseHook;
1915 ::UnhookWindowsHookEx(hHookOld);
1916 }
1917
1918 LRESULT ret = DefWindowProcW(uMsg, wParam, lParam); // do default
1919
1920 if (m_hwndCombo)
1922
1923 m_outerList.RemoveAll(); // no use
1924 return ret;
1925 }
1926}
1927
1928// WM_TIMER
1930{
1931 if (wParam != WATCH_TIMER_ID) // sanity check
1932 return 0;
1933
1934 // if the textbox is dead, then kill the timer
1935 if (!::IsWindow(m_hwndEdit))
1936 {
1938 return 0;
1939 }
1940
1941 // m_hwndEdit is moved?
1942 RECT rcEdit;
1943 ::GetWindowRect(m_hwndEdit, &rcEdit);
1944 if (!::EqualRect(&rcEdit, &m_rcEdit))
1945 {
1946 // if so, hide
1947 HideDropDown();
1948
1949 m_rcEdit = rcEdit; // update rectangle
1950 m_bResized = FALSE; // clear flag
1951 }
1952
1953 return 0;
1954}
1955
1956// WM_VSCROLL
1957// This message is sent when a scroll event occurs.
1959{
1960 TRACE("CAutoComplete::OnVScroll(%p)\n", this);
1962 switch (code)
1963 {
1965 {
1966 // get the scrolling info
1967 INT nPos = HIWORD(wParam);
1968 SCROLLINFO si = { sizeof(si), SIF_ALL };
1969 m_hwndList.GetScrollInfo(SB_VERT, &si);
1970
1971 // scroll the list-view by CListView::EnsureVisible
1972 INT cItems = m_hwndList.GetItemCount();
1973 // iItem : cItems == (nPos - si.nMin) : (si.nMax - si.nMin).
1974 INT iItem = cItems * (nPos - si.nMin) / (si.nMax - si.nMin);
1975 if (nPos > si.nPos)
1976 {
1977 iItem += m_hwndList.GetVisibleCount();
1978 if (iItem >= cItems)
1979 iItem = cItems - 1;
1980 }
1981 m_hwndList.EnsureVisible(iItem, FALSE);
1982
1983 // update scrolling position of m_hwndScrollBar
1984 si.fMask = SIF_POS;
1985 m_hwndList.GetScrollInfo(SB_VERT, &si);
1986 m_hwndScrollBar.SetScrollInfo(SB_VERT, &si, FALSE);
1987 break;
1988 }
1989 default:
1990 {
1991 // pass it to m_hwndList
1992 m_hwndList.SendMessageW(WM_VSCROLL, wParam, lParam);
1994 break;
1995 }
1996 }
1997 return 0;
1998}
1999
2000static inline PAC_THREAD
2002{
2003 return reinterpret_cast<PAC_THREAD>(
2004 ::InterlockedExchangePointer(reinterpret_cast<volatile PVOID *>(Target), Value));
2005}
2006
2007static unsigned __stdcall AutoCompThreadProc(void *arg)
2008{
2009 CAutoComplete* pThis = reinterpret_cast<CAutoComplete*>(arg);
2010 pThis->AutoCompThreadProc();
2011 return 0;
2012}
2013
2015{
2016 for (;;)
2017 {
2019 if (!pThread)
2020 break;
2021 DoThreadWork(pThread);
2022 }
2023}
2024
2026{
2027 if (pThread->m_bExpand || m_innerList.GetSize() == 0)
2028 {
2029 ReLoadInnerList(pThread);
2030 }
2031 else
2032 {
2033 pThread->m_innerList = m_innerList;
2034 }
2035
2036 if (m_pThread || !m_hThread)
2037 {
2038 delete pThread;
2039 return;
2040 }
2041
2042 ExtractInnerList(pThread->m_outerList, pThread->m_innerList, pThread->m_strText);
2043
2044 if (m_pThread || !m_hThread)
2045 {
2046 delete pThread;
2047 return;
2048 }
2049
2050 DoSort(pThread->m_outerList);
2051 DoUniqueAndTrim(pThread->m_outerList);
2052
2053 if (m_pThread || !m_hThread ||
2054 !::PostMessageW(m_hWnd, AUTOCOMP_FINISH, 0, (LPARAM)pThread))
2055 {
2056 delete pThread;
2057 }
2058}
2059
2060// AUTOCOMP_START
2062{
2063 BOOL bAppendOK = (BOOL)wParam;
2064
2065 CStringW strText = GetEditText();
2066 if (m_strText.CompareNoCase(strText) == 0)
2067 {
2068 // no change
2069 return 0;
2070 }
2071
2072 PAC_THREAD pThread = new AC_THREAD { this, bAppendOK, strText };
2073
2074 // if previous text was empty
2075 if (m_strText.IsEmpty())
2076 {
2077 pThread->m_bReset = TRUE;
2078 }
2079 m_strText = strText;
2080
2081 // do expand the items if the stem is changed
2082 CStringW strStemText = GetStemText(pThread->m_strText);
2083 if (m_strStemText.CompareNoCase(strStemText) != 0)
2084 {
2085 pThread->m_bReset = TRUE;
2086 pThread->m_bExpand = !strStemText.IsEmpty();
2087 m_strStemText = strStemText;
2088 }
2089
2090 // reset if necessary
2091 if (pThread->m_bReset && m_pEnum)
2092 {
2093 HRESULT hr = m_pEnum->Reset(); // IEnumString::Reset
2094 TRACE("m_pEnum->Reset(%p): 0x%08lx\n",
2095 static_cast<IUnknown *>(m_pEnum), hr);
2096 }
2097
2098 // update ac list if necessary
2099 if (pThread->m_bExpand && m_pACList)
2100 {
2101 HRESULT hr = m_pACList->Expand(strStemText); // IACList::Expand
2102 TRACE("m_pACList->Expand(%p, %S): 0x%08lx\n",
2103 static_cast<IUnknown *>(m_pACList),
2104 static_cast<LPCWSTR>(strStemText), hr);
2105 }
2106
2108 if (pOld)
2109 delete pOld;
2110
2111 BOOL bDoStart = FALSE;
2112 if (m_hThread)
2113 {
2115 {
2117 m_hThread = NULL;
2118 bDoStart = TRUE;
2119 }
2120 }
2121 else
2122 {
2123 bDoStart = TRUE;
2124 }
2125
2126 if (bDoStart)
2128
2129 return 0;
2130}
2131
2132// AUTOCOMP_FINISH
2134{
2135 PAC_THREAD pThread = reinterpret_cast<PAC_THREAD>(lParam);
2136 if (m_pThread == NULL)
2137 {
2138 FinishCompletion(pThread);
2139 }
2141 m_hThread = NULL;
2142 delete pThread;
2143 return 0;
2144}
2145
2147{
2148 if (m_pThread || !m_hThread)
2149 return;
2150
2151 if (!CanAutoSuggest() && !CanAutoAppend())
2152 return;
2153
2154 // set inner list
2155 m_innerList = pThread->m_innerList;
2156
2157 // set the items of the virtual listview
2158 m_outerList = pThread->m_outerList; // FIXME: We need more speed!
2159 m_hwndList.SendMessageW(LVM_SETITEMCOUNT, m_outerList.GetSize(), 0);
2160
2161 // save text
2162 m_strText = pThread->m_strText;
2164
2165 if (CanAutoSuggest()) // can we auto-suggest?
2166 {
2167 m_bInSelectItem = TRUE; // don't respond
2168 SelectItem(-1); // select none
2170
2171 if (m_outerList.GetSize() > 0)
2173 else
2174 HideDropDown();
2175 }
2176
2177 if (CanAutoAppend() && pThread->m_bAppendOK) // can we auto-append?
2178 {
2179 DoAutoAppend(pThread);
2180 }
2181}
static HDC hDC
Definition: 3dtext.c:33
static const PREFIX_INFO s_prefixes[]
static int RangeCompare(const void *x, const void *y)
static INT partition(list_t &list, INT i, INT j, const CStringW &x)
static unsigned __stdcall AutoCompThreadProc(void *arg)
static INT CALLBACK EditWordBreakProcW(LPWSTR lpch, INT index, INT count, INT code)
static INT pivot(list_t &list, INT i, INT j)
CSimpleArray< CStringW > list_t
#define MAX_ITEM_COUNT
#define CY_LIST
static HWND s_hWatchWnd
static PAC_THREAD InterlockedExchangeThreadData(volatile PAC_THREAD *Target, PAC_THREAD Value)
static LRESULT CALLBACK EditSubclassProc(HWND hwnd, UINT uMsg, WPARAM wParam, LPARAM lParam, UINT_PTR uSubclassID, DWORD_PTR dwData)
static void DoUniqueAndTrim(list_t &list)
static BOOL DoesMatch(const CStringW &strTarget, const CStringW &strText)
static INT compare1(const CStringW &str1, const CStringW &str2)
static void DoSort(list_t &list)
#define CX_LIST
#define WATCH_TIMER_ID
static BOOL IsWordBreak(WCHAR ch)
static BOOL DropPrefix(const CStringW &str, CStringW &strBody)
static INT DoUnique(list_t &list)
static HHOOK s_hMouseHook
#define CY_ITEM
static LRESULT CALLBACK MouseProc(INT nCode, WPARAM wParam, LPARAM lParam)
static void quicksort(list_t &list, INT i, INT j)
#define WATCH_INTERVAL
#define AUTOCOMP_FINISH
#define AUTOCOMP_START
#define ATLASSERT(x)
Definition: CComVariant.cpp:10
HWND hWnd
Definition: settings.c:17
#define index(s, c)
Definition: various.h:29
HFONT hFont
Definition: main.c:53
@ Create
Definition: registry.c:563
#define FIXME(fmt,...)
Definition: precomp.h:53
#define STDMETHODIMP
Definition: basetyps.h:43
int GetSize() const
Definition: atlsimpcoll.h:104
BOOL Add(const T &t)
Definition: atlsimpcoll.h:58
bool IsEmpty() const noexcept
Definition: atlsimpstr.h:394
int GetLength() const noexcept
Definition: atlsimpstr.h:362
void Empty() noexcept
Definition: atlsimpstr.h:253
int CompareNoCase(_In_z_ PCXSTR psz) const
Definition: cstringt.h:743
CStringT Left(int nCount) const
Definition: cstringt.h:776
CStringT Mid(int iFirst, int nCount) const
Definition: cstringt.h:748
int ReverseFind(_In_ XCHAR ch) const noexcept
Definition: cstringt.h:730
LRESULT OnNCHitTest(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
LRESULT OnLButtonDown(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
LRESULT OnMouseWheel(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
INT ItemFromPoint(INT x, INT y)
INT GetVisibleCount()
VOID SelectHere(INT x, INT y)
HWND Create(HWND hwndParent)
static LPCWSTR GetWndClassName()
Definition: CAutoComplete.h:40
CAutoComplete * m_pDropDown
Definition: CAutoComplete.h:38
CStringW GetItemText(INT iItem)
VOID SetFont(HFONT hFont)
LRESULT OnButtonUp(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
LRESULT OnMRButtonDown(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
VOID SetCurSel(INT iItem)
CAutoComplete * m_pDropDown
Definition: CAutoComplete.h:80
HWND Create(HWND hwndParent)
static LPCWSTR GetWndClassName()
Definition: CAutoComplete.h:81
static LPCWSTR GetWndClassName()
Definition: CAutoComplete.h:98
LRESULT OnEraseBkGnd(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
CAutoComplete * m_pDropDown
Definition: CAutoComplete.h:97
BOOL m_bLongList
HWND Create(HWND hwndParent)
LRESULT OnPaint(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
VOID SetStatus(BOOL bDowner, BOOL bLongList)
LRESULT OnNCHitTest(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
STDMETHODIMP Enable(BOOL fEnable) override
LRESULT OnNCHitTest(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
BOOL IsComboBoxDropped() const
CStringW GetEditText() const
LRESULT EditWndProc(HWND hwnd, UINT uMsg, WPARAM wParam, LPARAM lParam)
VOID DoThreadWork(PAC_THREAD pThread)
VOID UpdateDropDownState()
CSimpleArray< CStringW > m_innerList
CACListView m_hwndList
STDMETHODIMP Reset() override
VOID RepositionDropDown()
LRESULT OnTimer(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
LRESULT OnVScroll(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
CStringW m_strQuickComplete
STDMETHODIMP GetOptions(DWORD *pdwFlag) override
CStringW m_strStemText
BOOL FilterPrefixes() const
LRESULT OnExitSizeMove(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
VOID SetEditText(LPCWSTR pszText)
LRESULT OnEditChar(WPARAM wParam, LPARAM lParam)
CComPtr< IACList > m_pACList
LRESULT OnDrawItem(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
STDMETHODIMP Next(ULONG celt, LPOLESTR *rgelt, ULONG *pceltFetched) override
LRESULT OnMouseActivate(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
CStringW GetQuickEdit(LPCWSTR pszText) const
virtual VOID OnFinalMessage(HWND) override
LRESULT OnNotify(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
VOID AutoCompThreadProc()
STDMETHODIMP Init(HWND hwndEdit, IUnknown *punkACL, LPCOLESTR pwszRegKeyPath, LPCOLESTR pwszQuickComplete) override
VOID StartCompletion(BOOL bAppendOK)
CSimpleArray< CStringW > m_outerList
LRESULT OnShowWindow(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
STDMETHODIMP ResetEnumerator() override
EDITWORDBREAKPROCW m_fnOldWordBreakProc
BOOL OnEditKeyDown(WPARAM wParam, LPARAM lParam)
STDMETHODIMP Clone(IEnumString **ppOut) override
PAC_THREAD m_pThread
WNDPROC m_fnOldEditProc
VOID SelectItem(INT iItem)
CStringW m_strText
LRESULT OnGetMinMaxInfo(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
LRESULT OnSize(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
VOID SetEditSel(INT ich0, INT ich1)
virtual ~CAutoComplete()
BOOL UseTab() const
VOID UpdateScrollBar()
CACSizeBox m_hwndSizeBox
LRESULT OnNCActivate(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
LRESULT OnCreate(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
STDMETHODIMP GetDropDownStatus(DWORD *pdwFlags, LPWSTR *ppwszString) override
LRESULT OnAutoCompFinish(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
CACScrollBar m_hwndScrollBar
BOOL OnListUpDown(UINT vk)
CStringW GetItemText(INT iItem) const
VOID ExtractInnerList(CSimpleArray< CStringW > &outerList, const CSimpleArray< CStringW > &innerList, const CString &strText)
LRESULT OnNCDestroy(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
LRESULT OnMeasureItem(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
LRESULT OnNCLButtonDown(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
BOOL CanAutoSuggest() const
VOID DoAutoAppend(PAC_THREAD pThread)
VOID FinishCompletion(PAC_THREAD pThread)
CComPtr< IEnumString > m_pEnum
VOID ReLoadInnerList(PAC_THREAD pThread)
CStringW GetStemText(const CStringW &strText) const
STDMETHODIMP SetOptions(DWORD dwFlag) override
VOID CalcRects(BOOL bDowner, RECT &rcListView, RECT &rcScrollBar, RECT &rcSizeBox) const
VOID LoadQuickComplete(LPCWSTR pwszRegKeyPath, LPCWSTR pwszQuickComplete)
STDMETHODIMP Skip(ULONG celt) override
LRESULT OnAutoCompStart(UINT uMsg, WPARAM wParam, LPARAM lParam, BOOL &bHandled)
BOOL CanAutoAppend() const
INT GetItemCount() const
int Width() const noexcept
Definition: atltypes.h:461
int Height() const noexcept
Definition: atltypes.h:318
Definition: list.h:37
static int InsertColumn(int nCol, LPCWSTR lpszColumnHeading, int nFormat, int nWidth, int nSubItem)
Definition: column.c:67
WPARAM wParam
Definition: combotst.c:138
HWND hwndEdit
Definition: combotst.c:65
LPARAM lParam
Definition: combotst.c:139
BOOL WINAPI SetWindowSubclass(HWND hWnd, SUBCLASSPROC pfnSubclass, UINT_PTR uIDSubclass, DWORD_PTR dwRef)
Definition: commctrl.c:1261
BOOL WINAPI RemoveWindowSubclass(HWND hWnd, SUBCLASSPROC pfnSubclass, UINT_PTR uID)
Definition: commctrl.c:1390
LRESULT WINAPI DefSubclassProc(HWND hWnd, UINT uMsg, WPARAM wParam, LPARAM lParam)
Definition: commctrl.c:1496
static HWND hwndParent
Definition: cryptui.c:300
#define WAIT_TIMEOUT
Definition: dderror.h:14
#define E_OUTOFMEMORY
Definition: ddrawi.h:100
#define E_INVALIDARG
Definition: ddrawi.h:101
#define E_NOTIMPL
Definition: ddrawi.h:99
#define E_FAIL
Definition: ddrawi.h:102
#define NULL
Definition: types.h:112
#define TRUE
Definition: types.h:120
#define FALSE
Definition: types.h:117
INT WINAPI StrCmpNIW(LPCWSTR lpszStr, LPCWSTR lpszComp, INT iLen)
Definition: string.c:311
#define CloseHandle
Definition: compat.h:739
HANDLE HWND
Definition: compat.h:19
#define MAX_PATH
Definition: compat.h:34
#define CALLBACK
Definition: compat.h:35
const WCHAR * text
Definition: package.c:1799
LONG WINAPI SHRegGetUSValueW(LPCWSTR pSubKey, LPCWSTR pValue, LPDWORD pwType, LPVOID pvData, LPDWORD pcbData, BOOL flagIgnoreHKCU, LPVOID pDefaultData, DWORD wDefaultDataSize)
Definition: reg.c:594
BOOL WINAPI ChrCmpIW(WCHAR ch1, WCHAR ch2)
Definition: string.c:217
HRESULT WINAPI SHStrDupW(LPCWSTR src, LPWSTR *dest)
Definition: string.c:2012
INT WINAPI SHUnicodeToAnsi(LPCWSTR lpSrcStr, LPSTR lpDstStr, INT iLen)
Definition: string.c:2791
int WINAPI StrCmpIW(LPCWSTR lpszStr, LPCWSTR lpszComp)
Definition: string.c:353
#define pt(x, y)
Definition: drawing.c:79
r dropped
Definition: btrfs.c:3014
#define InterlockedExchangePointer(Target, Value)
Definition: dshow.h:45
unsigned int BOOL
Definition: ntddk_ex.h:94
unsigned long DWORD
Definition: ntddk_ex.h:95
unsigned short WORD
Definition: ntddk_ex.h:93
pKey DeleteObject()
GLint GLint GLint GLint GLint x
Definition: gl.h:1548
GLint GLint GLint GLint GLint GLint y
Definition: gl.h:1548
GLuint GLuint GLsizei count
Definition: gl.h:1545
GLuint index
Definition: glext.h:6031
GLdouble GLdouble right
Definition: glext.h:10859
GLboolean GLboolean GLboolean b
Definition: glext.h:6204
GLenum GLint * range
Definition: glext.h:7539
GLint left
Definition: glext.h:7726
const GLint * first
Definition: glext.h:5794
GLfloat GLfloat p
Definition: glext.h:8902
GLboolean GLboolean GLboolean GLboolean a
Definition: glext.h:6204
GLuint64EXT * result
Definition: glext.h:11304
GLsizei GLenum const GLvoid GLsizei GLenum GLbyte GLbyte GLbyte GLdouble GLdouble GLdouble GLfloat GLfloat GLfloat GLint GLint GLint GLshort GLshort GLshort GLubyte GLubyte GLubyte GLuint GLuint GLuint GLushort GLushort GLushort GLbyte GLbyte GLbyte GLbyte GLdouble GLdouble GLdouble GLdouble GLfloat GLfloat GLfloat GLfloat GLint GLint GLint GLint GLshort GLshort GLshort GLshort GLubyte GLubyte GLubyte GLubyte GLuint GLuint GLuint GLuint GLushort GLushort GLushort GLushort GLboolean const GLdouble const GLfloat const GLint const GLshort const GLbyte const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLdouble const GLfloat const GLfloat const GLint const GLint const GLshort const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort GLenum GLenum GLenum GLfloat GLenum GLint GLenum GLenum GLenum GLfloat GLenum GLenum GLint GLenum GLfloat GLenum GLint GLint GLushort GLenum GLenum GLfloat GLenum GLenum GLint GLfloat const GLubyte GLenum GLenum GLenum const GLfloat GLenum GLenum const GLint GLenum GLint GLint GLsizei GLsizei GLint GLenum GLenum const GLvoid GLenum GLenum const GLfloat GLenum GLenum const GLint GLenum GLenum const GLdouble GLenum GLenum const GLfloat GLenum GLenum const GLint GLsizei GLuint GLfloat GLuint GLbitfield GLfloat GLint GLuint GLboolean GLenum GLfloat GLenum GLbitfield GLenum GLfloat GLfloat GLint GLint const GLfloat GLenum GLfloat GLfloat GLint GLint GLfloat GLfloat GLint GLint const GLfloat GLint GLfloat GLfloat GLint GLfloat GLfloat GLint GLfloat GLfloat const GLdouble const GLfloat const GLdouble const GLfloat GLint i
Definition: glfuncs.h:248
GLsizei GLenum const GLvoid GLsizei GLenum GLbyte GLbyte GLbyte GLdouble GLdouble GLdouble GLfloat GLfloat GLfloat GLint GLint GLint GLshort GLshort GLshort GLubyte GLubyte GLubyte GLuint GLuint GLuint GLushort GLushort GLushort GLbyte GLbyte GLbyte GLbyte GLdouble GLdouble GLdouble GLdouble GLfloat GLfloat GLfloat GLfloat GLint GLint GLint GLint GLshort GLshort GLshort GLshort GLubyte GLubyte GLubyte GLubyte GLuint GLuint GLuint GLuint GLushort GLushort GLushort GLushort GLboolean const GLdouble const GLfloat const GLint const GLshort const GLbyte const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLdouble const GLfloat const GLfloat const GLint const GLint const GLshort const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort const GLdouble const GLfloat const GLint const GLshort GLenum GLenum GLenum GLfloat GLenum GLint GLenum GLenum GLenum GLfloat GLenum GLenum GLint GLenum GLfloat GLenum GLint GLint GLushort GLenum GLenum GLfloat GLenum GLenum GLint GLfloat const GLubyte GLenum GLenum GLenum const GLfloat GLenum GLenum const GLint GLenum GLint GLint GLsizei GLsizei GLint GLenum GLenum const GLvoid GLenum GLenum const GLfloat GLenum GLenum const GLint GLenum GLenum const GLdouble GLenum GLenum const GLfloat GLenum GLenum const GLint GLsizei GLuint GLfloat GLuint GLbitfield GLfloat GLint GLuint GLboolean GLenum GLfloat GLenum GLbitfield GLenum GLfloat GLfloat GLint GLint const GLfloat GLenum GLfloat GLfloat GLint GLint GLfloat GLfloat GLint GLint const GLfloat GLint GLfloat GLfloat GLint GLfloat GLfloat GLint GLfloat GLfloat const GLdouble const GLfloat const GLdouble const GLfloat GLint GLint GLint j
Definition: glfuncs.h:250
VOID WINAPI CoTaskMemFree(LPVOID ptr)
Definition: ifs.c:442
#define IMN_OPENCANDIDATE
Definition: imm.h:376
@ ACO_FILTERPREFIXES
Definition: shldisp.idl:98
@ ACO_UPDOWNKEYDROPSLIST
Definition: shldisp.idl:100
ULONG AddRef()
HRESULT QueryInterface([in] REFIID riid, [out, iid_is(riid)] void **ppvObject)
ULONG Release()
#define S_OK
Definition: intsafe.h:52
#define debugstr_w
Definition: kernel32.h:32
#define REG_SZ
Definition: layer.c:22
struct S1 s1
struct S2 s2
static HDC
Definition: imagelist.c:92
static DWORD DWORD void LPSTR DWORD cch
Definition: str.c:202
static UINT UINT last
Definition: font.c:45
static DWORD *static HFONT(WINAPI *pCreateFontIndirectExA)(const ENUMLOGFONTEXDVA *)
static HRGN hRgn
Definition: mapping.c:33
static HANDLE ULONG_PTR dwData
Definition: file.c:35
static LPOLESTR
Definition: stg_prop.c:27
#define shift
Definition: input.c:1755
WORD vk
Definition: input.c:77
int k
Definition: mpi.c:3369
unsigned __int3264 UINT_PTR
Definition: mstsclib_h.h:274
HMONITOR WINAPI MonitorFromWindow(HWND, DWORD)
unsigned int UINT
Definition: ndis.h:50
#define BOOL
Definition: nt_native.h:43
#define REG_NONE
Definition: nt_native.h:1492
#define REG_EXPAND_SZ
Definition: nt_native.h:1494
INT WINAPI DrawTextW(HDC hdc, LPCWSTR str, INT count, LPRECT rect, UINT flags)
Definition: defwnd.c:16
#define L(x)
Definition: ntvdm.h:50
const GUID IID_IEnumString
#define LOWORD(l)
Definition: pedump.c:82
#define WS_CHILD
Definition: pedump.c:617
#define WS_EX_NOPARENTNOTIFY
Definition: pedump.c:646
#define WS_BORDER
Definition: pedump.c:625
#define WS_POPUP
Definition: pedump.c:616
#define WS_EX_TOPMOST
Definition: pedump.c:647
#define WS_CLIPSIBLINGS
Definition: pedump.c:618
#define WS_CLIPCHILDREN
Definition: pedump.c:619
#define WS_THICKFRAME
Definition: pedump.c:630
#define INT
Definition: polytest.cpp:20
#define LVN_GETDISPINFOA
Definition: commctrl.h:3153
_Out_opt_ int _Out_opt_ int * cy
Definition: commctrl.h:586
#define LVS_EX_ONECLICKACTIVATE
Definition: commctrl.h:2735
#define LVS_SINGLESEL
Definition: commctrl.h:2266
#define LVN_HOTTRACK
Definition: commctrl.h:3152
#define L_MAX_URL_LENGTH
Definition: commctrl.h:4735
#define LV_DISPINFOW
Definition: commctrl.h:3169
#define LVS_NOCOLUMNHEADER
Definition: commctrl.h:2284
#define NM_DBLCLK
Definition: commctrl.h:131
#define LVIF_STATE
Definition: commctrl.h:2312
#define LVS_OWNERDATA
Definition: commctrl.h:2274
#define LVS_OWNERDRAWFIXED
Definition: commctrl.h:2283
#define LVNI_SELECTED
Definition: commctrl.h:2424
#define LVS_REPORT
Definition: commctrl.h:2262
#define LVCF_WIDTH
Definition: commctrl.h:2587
_Out_opt_ int * cx
Definition: commctrl.h:585
#define WC_COMBOBOXEXW
Definition: commctrl.h:3781
#define ODT_LISTVIEW
Definition: commctrl.h:80
#define NM_HOVER
Definition: commctrl.h:138
#define LVS_EX_FULLROWSELECT
Definition: commctrl.h:2734
#define LVS_EX_TRACKSELECT
Definition: commctrl.h:2732
#define LVM_SETITEMCOUNT
Definition: commctrl.h:2696
#define LVIS_SELECTED
Definition: commctrl.h:2319
#define LV_COLUMNW
Definition: commctrl.h:2546
#define LVIF_TEXT
Definition: commctrl.h:2309
#define LVCF_FMT
Definition: commctrl.h:2586
#define LV_HITTESTINFO
Definition: commctrl.h:2504
#define LV_ITEMW
Definition: commctrl.h:2332
#define LVCFMT_LEFT
Definition: commctrl.h:2598
#define LVN_GETDISPINFOW
Definition: commctrl.h:3154
#define LV_ITEMA
Definition: commctrl.h:2331
#define LVN_ITEMCHANGED
Definition: commctrl.h:3131
#define LVN_ITEMACTIVATE
Definition: commctrl.h:3147
#define LV_DISPINFOA
Definition: commctrl.h:3168
#define WC_COMBOBOXW
Definition: commctrl.h:4717
#define LVNI_ALL
Definition: commctrl.h:2422
const WCHAR * str
_CRTIMP uintptr_t __cdecl _beginthreadex(_In_opt_ void *_Security, _In_ unsigned _StackSize, _In_ unsigned(__stdcall *_StartAddress)(void *), _In_opt_ void *_ArgList, _In_ unsigned _InitFlag, _Out_opt_ unsigned *_ThrdAddr)
HRESULT hr
Definition: shlfolder.c:183
#define _countof(array)
Definition: sndvol32.h:70
#define TRACE(s)
Definition: solgame.cpp:4
STRSAFEAPI StringCbCopyW(STRSAFE_LPWSTR pszDest, size_t cbDest, STRSAFE_LPCWSTR pszSrc)
Definition: strsafe.h:166
CSimpleArray< CStringW > m_outerList
BOOL m_bAppendOK
CSimpleArray< CStringW > m_innerList
CStringW m_strText
BOOL m_bExpand
WCHAR from
WCHAR to
Definition: inflate.c:139
POINT ptMinTrackSize
Definition: winuser.h:3630
RECT rcMonitor
Definition: winuser.h:3785
UINT code
Definition: winuser.h:3159
HWND hwndFrom
Definition: winuser.h:3157
long y
Definition: polytest.cpp:48
long x
Definition: polytest.cpp:48
LONG right
Definition: windef.h:308
LONG bottom
Definition: windef.h:309
LONG top
Definition: windef.h:307
LONG left
Definition: windef.h:306
Definition: time.h:68
DWORD WINAPI WaitForSingleObject(IN HANDLE hHandle, IN DWORD dwMilliseconds)
Definition: synch.c:82
#define bsearch
#define GWLP_WNDPROC
Definition: treelist.c:66
uint32_t DWORD_PTR
Definition: typedefs.h:65
PVOID HANDLE
Definition: typedefs.h:73
int32_t INT
Definition: typedefs.h:58
#define __stdcall
Definition: typedefs.h:25
uint32_t ULONG
Definition: typedefs.h:59
#define HIWORD(l)
Definition: typedefs.h:247
int ret
_Must_inspect_result_ _In_ WDFKEY _In_ PCUNICODE_STRING _Out_opt_ PUSHORT _Inout_opt_ PUNICODE_STRING Value
Definition: wdfregistry.h:413
_In_ WDFIOTARGET Target
Definition: wdfrequest.h:306
int WINAPI GetWindowTextW(HWND hWnd, LPWSTR lpString, int nMaxCount)
Definition: window.c:1384
static MONITORINFO mi
Definition: win.c:7338
DWORD WINAPI GetCurrentThreadId(void)
Definition: thread.c:459
_In_ LONG _In_ HWND hwnd
Definition: winddi.h:4023
LONG_PTR LPARAM
Definition: windef.h:208
LONG_PTR LRESULT
Definition: windef.h:209
UINT_PTR WPARAM
Definition: windef.h:207
void * arg
Definition: msvc.h:10
#define SubclassWindow(hwnd, lpfn)
Definition: windowsx.h:542
#define GET_Y_LPARAM(lp)
Definition: windowsx.h:300
#define GET_X_LPARAM(lp)
Definition: windowsx.h:299
BOOL WINAPI GetTextMetricsW(_In_ HDC, _Out_ LPTEXTMETRICW)
Definition: text.c:221
HGDIOBJ WINAPI GetStockObject(_In_ int)
#define DEFAULT_GUI_FONT
Definition: wingdi.h:909
HGDIOBJ WINAPI SelectObject(_In_ HDC, _In_ HGDIOBJ)
Definition: dc.c:1546
BOOL WINAPI MoveToEx(_In_ HDC, _In_ int, _In_ int, _Out_opt_ LPPOINT)
HDC WINAPI CreateCompatibleDC(_In_opt_ HDC hdc)
#define TRANSPARENT
Definition: wingdi.h:950
HRGN WINAPI PathToRegion(_In_ HDC)
int WINAPI FillRect(HDC, LPCRECT, HBRUSH)
int WINAPI SetBkMode(_In_ HDC, _In_ int)
Definition: dc.c:1056
COLORREF WINAPI SetTextColor(_In_ HDC, _In_ COLORREF)
Definition: text.c:918
BOOL WINAPI DeleteDC(_In_ HDC)
HPEN WINAPI CreatePen(_In_ int, _In_ int, _In_ COLORREF)
BOOL WINAPI EndPath(_In_ HDC)
BOOL WINAPI LineTo(_In_ HDC, _In_ int, _In_ int)
BOOL WINAPI BeginPath(_In_ HDC hdc)
#define PS_SOLID
Definition: wingdi.h:586
HWND WINAPI GetFocus(void)
Definition: window.c:1865
#define HTTOPRIGHT
Definition: winuser.h:2492
HWND WINAPI ChildWindowFromPoint(_In_ HWND, _In_ POINT)
int WINAPI ReleaseDC(_In_opt_ HWND, _In_ HDC)
#define GetMonitorInfo
Definition: winuser.h:5800
DWORD WINAPI GetSysColor(_In_ int)
BOOL WINAPI IsWindow(_In_opt_ HWND)
#define ODS_SELECTED
Definition: winuser.h:2545
#define WM_GETTEXTLENGTH
Definition: winuser.h:1619
#define SW_HIDE
Definition: winuser.h:768
#define WM_CLOSE
Definition: winuser.h:1621
#define SWP_NOACTIVATE
Definition: winuser.h:1242
#define DT_NOPREFIX
Definition: winuser.h:537
#define SB_THUMBTRACK
Definition: winuser.h:573
#define GetWindowLongPtrW
Definition: winuser.h:4829
#define VK_TAB
Definition: winuser.h:2199
#define SWP_FRAMECHANGED
Definition: winuser.h:1240
#define WM_PASTE
Definition: winuser.h:1863
#define COLOR_WINDOW
Definition: winuser.h:918
BOOL WINAPI ShowWindow(_In_ HWND, _In_ int)
LRESULT WINAPI DefWindowProcW(_In_ HWND, _In_ UINT, _In_ WPARAM, _In_ LPARAM)
#define WM_IME_NOTIFY
Definition: winuser.h:1830
BOOL WINAPI PostMessageW(_In_opt_ HWND, _In_ UINT, _In_ WPARAM, _In_ LPARAM)
#define COLOR_WINDOWTEXT
Definition: winuser.h:921
#define WM_VSCROLL
Definition: winuser.h:1744
BOOL WINAPI GetWindowRect(_In_ HWND, _Out_ LPRECT)
#define EM_GETSEL
Definition: winuser.h:1997
BOOL WINAPI SetWindowPos(_In_ HWND, _In_opt_ HWND, _In_ int, _In_ int, _In_ int, _In_ int, _In_ UINT)
#define SM_CXVSCROLL
Definition: winuser.h:961
#define WB_ISDELIMITER
Definition: winuser.h:549
#define WM_SIZE
Definition: winuser.h:1611
#define COLOR_HIGHLIGHT
Definition: winuser.h:926
int WINAPI SetWindowRgn(_In_ HWND, _In_opt_ HRGN, _In_ BOOL)
HBRUSH WINAPI GetSysColorBrush(_In_ int)
#define SB_VERT
Definition: winuser.h:553
#define DT_SINGLELINE
Definition: winuser.h:540
#define DLGC_WANTALLKEYS
Definition: winuser.h:2612
#define SWP_NOMOVE
Definition: winuser.h:1244
#define SBS_SIZEBOX
Definition: winuser.h:329
#define EM_REPLACESEL
Definition: winuser.h:2006
#define VK_CONTROL
Definition: winuser.h:2203
BOOL WINAPI GetCursorPos(_Out_ LPPOINT)
Definition: cursoricon.c:2714
#define HC_ACTION
Definition: winuser.h:48
#define WS_EX_TOOLWINDOW
Definition: winuser.h:404
#define WM_RBUTTONUP
Definition: winuser.h:1780
BOOL WINAPI AdjustWindowRectEx(_Inout_ LPRECT, _In_ DWORD, _In_ BOOL, _In_ DWORD)
#define VK_UP
Definition: winuser.h:2225
#define SW_SHOWNOACTIVATE
Definition: winuser.h:774
#define WM_SETFOCUS
Definition: winuser.h:1613
#define COLOR_3DSHADOW
Definition: winuser.h:931
#define SWP_NOSIZE
Definition: winuser.h:1245
#define WM_NCMBUTTONUP
Definition: winuser.h:1699
HWND WINAPI GetCapture(void)
Definition: message.c:2881
#define WM_CUT
Definition: winuser.h:1861
#define MA_NOACTIVATE
Definition: winuser.h:2503
#define WM_LBUTTONDOWN
Definition: winuser.h:1776
BOOL WINAPI EndDeferWindowPos(_In_ HDWP)
#define SetWindowsHookEx
Definition: winuser.h:5865
#define SM_CYHSCROLL
Definition: winuser.h:962
UINT_PTR WINAPI SetTimer(_In_opt_ HWND, _In_ UINT_PTR, _In_ UINT, _In_opt_ TIMERPROC)
#define VK_NEXT
Definition: winuser.h:2221
#define WM_RBUTTONDOWN
Definition: winuser.h:1779
BOOL WINAPI ShowWindowAsync(_In_ HWND, _In_ int)
BOOL WINAPI PtInRect(_In_ LPCRECT, _In_ POINT)
#define WM_SETTEXT
Definition: winuser.h:1617
#define SBS_BOTTOMALIGN
Definition: winuser.h:325
#define DT_LEFT
Definition: winuser.h:534
BOOL WINAPI GetClientRect(_In_ HWND, _Out_ LPRECT)
#define VK_RETURN
Definition: winuser.h:2201
#define HWND_TOP
Definition: winuser.h:1207
HWND WINAPI SetFocus(_In_opt_ HWND)
#define WH_MOUSE
Definition: winuser.h:37
BOOL WINAPI UnhookWindowsHookEx(_In_ HHOOK)
#define SWP_NOCOPYBITS
Definition: winuser.h:1243
#define WM_NCMBUTTONDOWN
Definition: winuser.h:1698
#define WB_LEFT
Definition: winuser.h:550
#define WM_SETFONT
Definition: winuser.h:1650
HWND WINAPI CreateWindowExW(_In_ DWORD dwExStyle, _In_opt_ LPCWSTR lpClassName, _In_opt_ LPCWSTR lpWindowName, _In_ DWORD dwStyle, _In_ int X, _In_ int Y, _In_ int nWidth, _In_ int nHeight, _In_opt_ HWND hWndParent, _In_opt_ HMENU hMenu, _In_opt_ HINSTANCE hInstance, _In_opt_ LPVOID lpParam)
BOOL WINAPI EndPaint(_In_ HWND, _In_ const PAINTSTRUCT *)
#define SM_CXBORDER
Definition: winuser.h:964
#define EM_SETWORDBREAKPROC
Definition: winuser.h:2020
#define SIF_ALL
Definition: winuser.h:1232
#define VK_BACK
Definition: winuser.h:2198
#define HTBOTTOMRIGHT
Definition: winuser.h:2495
#define COLOR_HIGHLIGHTTEXT
Definition: winuser.h:927
HDC WINAPI GetDC(_In_opt_ HWND)
#define EM_SETSEL
Definition: winuser.h:2018
#define SBS_VERT
Definition: winuser.h:334
int(CALLBACK * EDITWORDBREAKPROCW)(LPWSTR, int, int, int)
Definition: winuser.h:2905
#define CB_GETDROPPEDSTATE
Definition: winuser.h:1945
#define WM_LBUTTONUP
Definition: winuser.h:1777
#define WB_RIGHT
Definition: winuser.h:551
#define WM_CHAR
Definition: winuser.h:1717
#define DT_VCENTER
Definition: winuser.h:543
HWND WINAPI GetParent(_In_ HWND)
int WINAPI GetClassNameW(_In_ HWND hWnd, _Out_writes_to_(nMaxCount, return) LPWSTR lpClassName, _In_ int nMaxCount)
#define SIF_POS
Definition: winuser.h:1234
#define WM_NCLBUTTONUP
Definition: winuser.h:1693
#define VK_DOWN
Definition: winuser.h:2227
#define HTTRANSPARENT
Definition: winuser.h:2473
#define SB_CTL
Definition: winuser.h:554
BOOL WINAPI OffsetRect(_Inout_ LPRECT, _In_ int, _In_ int)
#define VK_SHIFT
Definition: winuser.h:2202
HDWP WINAPI DeferWindowPos(_In_ HDWP, _In_ HWND, _In_opt_ HWND, _In_ int, _In_ int, _In_ int, _In_ int, _In_ UINT)
#define VK_PRIOR
Definition: winuser.h:2220
#define VK_DELETE
Definition: winuser.h:2233
#define WM_DESTROY
Definition: winuser.h:1609
#define WM_NCRBUTTONUP
Definition: winuser.h:1696
#define WM_CLEAR
Definition: winuser.h:1864
#define WM_KEYDOWN
Definition: winuser.h:1715
BOOL WINAPI InvalidateRect(_In_opt_ HWND, _In_opt_ LPCRECT, _In_ BOOL)
LRESULT(CALLBACK * WNDPROC)(HWND, UINT, WPARAM, LPARAM)
Definition: winuser.h:2906
#define SWP_NOZORDER
Definition: winuser.h:1247
HDC WINAPI BeginPaint(_In_ HWND, _Out_ LPPAINTSTRUCT)
BOOL WINAPI KillTimer(_In_opt_ HWND, _In_ UINT_PTR)
LRESULT WINAPI CallWindowProcW(_In_ WNDPROC, _In_ HWND, _In_ UINT, _In_ WPARAM, _In_ LPARAM)
#define WM_MBUTTONUP
Definition: winuser.h:1783
#define VK_ESCAPE
Definition: winuser.h:2214
BOOL WINAPI IsWindowVisible(_In_ HWND)
#define WM_KILLFOCUS
Definition: winuser.h:1614
BOOL WINAPI EqualRect(_In_ LPCRECT, _In_ LPCRECT)
int WINAPI GetSystemMetrics(_In_ int)
#define WM_NCLBUTTONDOWN
Definition: winuser.h:1692
BOOL WINAPI MoveWindow(_In_ HWND, _In_ int, _In_ int, _In_ int, _In_ int, _In_ BOOL)
#define WM_GETDLGCODE
Definition: winuser.h:1689
#define WM_MBUTTONDOWN
Definition: winuser.h:1782
LRESULT WINAPI SendMessageW(_In_ HWND, _In_ UINT, _In_ WPARAM, _In_ LPARAM)
SHORT WINAPI GetKeyState(_In_ int)
#define WM_NCRBUTTONDOWN
Definition: winuser.h:1695
HDWP WINAPI BeginDeferWindowPos(_In_ int)
#define COLOR_3DFACE
Definition: winuser.h:929
#define SB_THUMBPOSITION
Definition: winuser.h:572
BOOL WINAPI ScreenToClient(_In_ HWND, _Inout_ LPPOINT)
_In_ ULONG iColor
Definition: xlateobj.h:17
__wchar_t WCHAR
Definition: xmlstorage.h:180
WCHAR * LPWSTR
Definition: xmlstorage.h:184
const WCHAR * LPCWSTR
Definition: xmlstorage.h:185