blob: e7354d0b95ba5a8157c959d87b663c39cd9c0933 [file] [log] [blame]
Kurt B. Kaiserb1754452005-11-18 22:05:48 +00001"""
Terry Jan Reedy6fa5bdc2016-05-28 13:22:31 -04002An auto-completion window for IDLE, used by the autocomplete extension
Kurt B. Kaiserb1754452005-11-18 22:05:48 +00003"""
terryjreedy32805792017-06-14 11:43:49 -04004import platform
5
Georg Brandl14fc4272008-05-17 18:39:55 +00006from tkinter import *
Terry Jan Reedy01e35752016-06-10 18:19:21 -04007from tkinter.ttk import Scrollbar
Terry Jan Reedybfbaa6b2016-08-31 00:50:55 -04008
Terry Jan Reedy6fa5bdc2016-05-28 13:22:31 -04009from idlelib.autocomplete import COMPLETE_FILES, COMPLETE_ATTRIBUTES
Terry Jan Reedybfbaa6b2016-08-31 00:50:55 -040010from idlelib.multicall import MC_SHIFT
Kurt B. Kaiserb1754452005-11-18 22:05:48 +000011
12HIDE_VIRTUAL_EVENT_NAME = "<<autocompletewindow-hide>>"
terryjreedy32805792017-06-14 11:43:49 -040013HIDE_FOCUS_OUT_SEQUENCE = "<FocusOut>"
14HIDE_SEQUENCES = (HIDE_FOCUS_OUT_SEQUENCE, "<ButtonPress>")
Kurt B. Kaiserb1754452005-11-18 22:05:48 +000015KEYPRESS_VIRTUAL_EVENT_NAME = "<<autocompletewindow-keypress>>"
16# We need to bind event beyond <Key> so that the function will be called
17# before the default specific IDLE function
Thomas Wouterscf297e42007-02-23 15:07:44 +000018KEYPRESS_SEQUENCES = ("<Key>", "<Key-BackSpace>", "<Key-Return>", "<Key-Tab>",
19 "<Key-Up>", "<Key-Down>", "<Key-Home>", "<Key-End>",
20 "<Key-Prior>", "<Key-Next>")
Kurt B. Kaiserb1754452005-11-18 22:05:48 +000021KEYRELEASE_VIRTUAL_EVENT_NAME = "<<autocompletewindow-keyrelease>>"
22KEYRELEASE_SEQUENCE = "<KeyRelease>"
Thomas Wouterscf297e42007-02-23 15:07:44 +000023LISTUPDATE_SEQUENCE = "<B1-ButtonRelease>"
Kurt B. Kaiserb1754452005-11-18 22:05:48 +000024WINCONFIG_SEQUENCE = "<Configure>"
Thomas Wouterscf297e42007-02-23 15:07:44 +000025DOUBLECLICK_SEQUENCE = "<B1-Double-ButtonRelease>"
Kurt B. Kaiserb1754452005-11-18 22:05:48 +000026
27class AutoCompleteWindow:
28
29 def __init__(self, widget):
30 # The widget (Text) on which we place the AutoCompleteWindow
31 self.widget = widget
32 # The widgets we create
33 self.autocompletewindow = self.listbox = self.scrollbar = None
34 # The default foreground and background of a selection. Saved because
35 # they are changed to the regular colors of list items when the
36 # completion start is not a prefix of the selected completion
37 self.origselforeground = self.origselbackground = None
38 # The list of completions
39 self.completions = None
40 # A list with more completions, or None
41 self.morecompletions = None
Terry Jan Reedy6fa5bdc2016-05-28 13:22:31 -040042 # The completion mode. Either autocomplete.COMPLETE_ATTRIBUTES or
43 # autocomplete.COMPLETE_FILES
Kurt B. Kaiserb1754452005-11-18 22:05:48 +000044 self.mode = None
45 # The current completion start, on the text box (a string)
46 self.start = None
47 # The index of the start of the completion
48 self.startindex = None
49 # The last typed start, used so that when the selection changes,
50 # the new start will be as close as possible to the last typed one.
51 self.lasttypedstart = None
52 # Do we have an indication that the user wants the completion window
53 # (for example, he clicked the list)
54 self.userwantswindow = None
55 # event ids
56 self.hideid = self.keypressid = self.listupdateid = self.winconfigid \
57 = self.keyreleaseid = self.doubleclickid = None
Thomas Wouterscf297e42007-02-23 15:07:44 +000058 # Flag set if last keypress was a tab
59 self.lastkey_was_tab = False
Kurt B. Kaiserb1754452005-11-18 22:05:48 +000060
61 def _change_start(self, newstart):
Christian Heimes81ee3ef2008-05-04 22:42:01 +000062 min_len = min(len(self.start), len(newstart))
Kurt B. Kaiserb1754452005-11-18 22:05:48 +000063 i = 0
Christian Heimes81ee3ef2008-05-04 22:42:01 +000064 while i < min_len and self.start[i] == newstart[i]:
Kurt B. Kaiserb1754452005-11-18 22:05:48 +000065 i += 1
66 if i < len(self.start):
67 self.widget.delete("%s+%dc" % (self.startindex, i),
68 "%s+%dc" % (self.startindex, len(self.start)))
69 if i < len(newstart):
70 self.widget.insert("%s+%dc" % (self.startindex, i),
71 newstart[i:])
72 self.start = newstart
73
74 def _binary_search(self, s):
75 """Find the first index in self.completions where completions[i] is
76 greater or equal to s, or the last index if there is no such
77 one."""
78 i = 0; j = len(self.completions)
79 while j > i:
80 m = (i + j) // 2
81 if self.completions[m] >= s:
82 j = m
83 else:
84 i = m + 1
85 return min(i, len(self.completions)-1)
86
87 def _complete_string(self, s):
88 """Assuming that s is the prefix of a string in self.completions,
89 return the longest string which is a prefix of all the strings which
90 s is a prefix of them. If s is not a prefix of a string, return s."""
91 first = self._binary_search(s)
92 if self.completions[first][:len(s)] != s:
93 # There is not even one completion which s is a prefix of.
94 return s
95 # Find the end of the range of completions where s is a prefix of.
96 i = first + 1
97 j = len(self.completions)
98 while j > i:
99 m = (i + j) // 2
100 if self.completions[m][:len(s)] != s:
101 j = m
102 else:
103 i = m + 1
104 last = i-1
105
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000106 if first == last: # only one possible completion
107 return self.completions[first]
108
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000109 # We should return the maximum prefix of first and last
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000110 first_comp = self.completions[first]
111 last_comp = self.completions[last]
112 min_len = min(len(first_comp), len(last_comp))
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000113 i = len(s)
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000114 while i < min_len and first_comp[i] == last_comp[i]:
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000115 i += 1
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000116 return first_comp[:i]
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000117
118 def _selection_changed(self):
119 """Should be called when the selection of the Listbox has changed.
120 Updates the Listbox display and calls _change_start."""
121 cursel = int(self.listbox.curselection()[0])
122
123 self.listbox.see(cursel)
124
125 lts = self.lasttypedstart
126 selstart = self.completions[cursel]
127 if self._binary_search(lts) == cursel:
128 newstart = lts
129 else:
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000130 min_len = min(len(lts), len(selstart))
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000131 i = 0
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000132 while i < min_len and lts[i] == selstart[i]:
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000133 i += 1
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000134 newstart = selstart[:i]
135 self._change_start(newstart)
136
137 if self.completions[cursel][:len(self.start)] == self.start:
138 # start is a prefix of the selected completion
139 self.listbox.configure(selectbackground=self.origselbackground,
140 selectforeground=self.origselforeground)
141 else:
142 self.listbox.configure(selectbackground=self.listbox.cget("bg"),
143 selectforeground=self.listbox.cget("fg"))
144 # If there are more completions, show them, and call me again.
145 if self.morecompletions:
146 self.completions = self.morecompletions
147 self.morecompletions = None
148 self.listbox.delete(0, END)
149 for item in self.completions:
150 self.listbox.insert(END, item)
151 self.listbox.select_set(self._binary_search(self.start))
152 self._selection_changed()
153
154 def show_window(self, comp_lists, index, complete, mode, userWantsWin):
155 """Show the autocomplete list, bind events.
156 If complete is True, complete the text, and if there is exactly one
157 matching completion, don't open a list."""
158 # Handle the start we already have
159 self.completions, self.morecompletions = comp_lists
160 self.mode = mode
161 self.startindex = self.widget.index(index)
162 self.start = self.widget.get(self.startindex, "insert")
163 if complete:
164 completed = self._complete_string(self.start)
Serhiy Storchakadd4754e2013-09-11 22:46:27 +0300165 start = self.start
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000166 self._change_start(completed)
167 i = self._binary_search(completed)
168 if self.completions[i] == completed and \
169 (i == len(self.completions)-1 or
170 self.completions[i+1][:len(completed)] != completed):
171 # There is exactly one matching completion
Serhiy Storchakadd4754e2013-09-11 22:46:27 +0300172 return completed == start
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000173 self.userwantswindow = userWantsWin
174 self.lasttypedstart = self.start
175
176 # Put widgets in place
177 self.autocompletewindow = acw = Toplevel(self.widget)
178 # Put it in a position so that it is not seen.
179 acw.wm_geometry("+10000+10000")
180 # Make it float
181 acw.wm_overrideredirect(1)
182 try:
183 # This command is only needed and available on Tk >= 8.4.0 for OSX
184 # Without it, call tips intrude on the typing process by grabbing
185 # the focus.
186 acw.tk.call("::tk::unsupported::MacWindowStyle", "style", acw._w,
187 "help", "noActivates")
188 except TclError:
189 pass
190 self.scrollbar = scrollbar = Scrollbar(acw, orient=VERTICAL)
191 self.listbox = listbox = Listbox(acw, yscrollcommand=scrollbar.set,
192 exportselection=False, bg="white")
193 for item in self.completions:
194 listbox.insert(END, item)
195 self.origselforeground = listbox.cget("selectforeground")
196 self.origselbackground = listbox.cget("selectbackground")
197 scrollbar.config(command=listbox.yview)
198 scrollbar.pack(side=RIGHT, fill=Y)
199 listbox.pack(side=LEFT, fill=BOTH, expand=True)
Terry Jan Reedyd2134c72015-09-26 20:03:57 -0400200 acw.lift() # work around bug in Tk 8.5.18+ (issue #24570)
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000201
202 # Initialize the listbox selection
203 self.listbox.select_set(self._binary_search(self.start))
204 self._selection_changed()
205
206 # bind events
terryjreedy32805792017-06-14 11:43:49 -0400207 self.hideaid = acw.bind(HIDE_VIRTUAL_EVENT_NAME, self.hide_event)
208 self.hidewid = self.widget.bind(HIDE_VIRTUAL_EVENT_NAME, self.hide_event)
209 acw.event_add(HIDE_VIRTUAL_EVENT_NAME, HIDE_FOCUS_OUT_SEQUENCE)
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000210 for seq in HIDE_SEQUENCES:
211 self.widget.event_add(HIDE_VIRTUAL_EVENT_NAME, seq)
terryjreedy32805792017-06-14 11:43:49 -0400212
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000213 self.keypressid = self.widget.bind(KEYPRESS_VIRTUAL_EVENT_NAME,
214 self.keypress_event)
215 for seq in KEYPRESS_SEQUENCES:
216 self.widget.event_add(KEYPRESS_VIRTUAL_EVENT_NAME, seq)
217 self.keyreleaseid = self.widget.bind(KEYRELEASE_VIRTUAL_EVENT_NAME,
218 self.keyrelease_event)
219 self.widget.event_add(KEYRELEASE_VIRTUAL_EVENT_NAME,KEYRELEASE_SEQUENCE)
220 self.listupdateid = listbox.bind(LISTUPDATE_SEQUENCE,
Thomas Wouterscf297e42007-02-23 15:07:44 +0000221 self.listselect_event)
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000222 self.winconfigid = acw.bind(WINCONFIG_SEQUENCE, self.winconfig_event)
223 self.doubleclickid = listbox.bind(DOUBLECLICK_SEQUENCE,
224 self.doubleclick_event)
Terry Jan Reedyc74fb9c2016-07-24 20:35:43 -0400225 return None
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000226
227 def winconfig_event(self, event):
228 if not self.is_active():
229 return
230 # Position the completion list window
Thomas Wouterscf297e42007-02-23 15:07:44 +0000231 text = self.widget
232 text.see(self.startindex)
233 x, y, cx, cy = text.bbox(self.startindex)
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000234 acw = self.autocompletewindow
Thomas Wouterscf297e42007-02-23 15:07:44 +0000235 acw_width, acw_height = acw.winfo_width(), acw.winfo_height()
236 text_width, text_height = text.winfo_width(), text.winfo_height()
237 new_x = text.winfo_rootx() + min(x, max(0, text_width - acw_width))
238 new_y = text.winfo_rooty() + y
239 if (text_height - (y + cy) >= acw_height # enough height below
240 or y < acw_height): # not enough height above
241 # place acw below current line
242 new_y += cy
243 else:
244 # place acw above current line
245 new_y -= acw_height
246 acw.wm_geometry("+%d+%d" % (new_x, new_y))
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000247
terryjreedy32805792017-06-14 11:43:49 -0400248 if platform.system().startswith('Windows'):
249 # See issue 15786. When on windows platform, Tk will misbehaive
250 # to call winconfig_event multiple times, we need to prevent this,
251 # otherwise mouse button double click will not be able to used.
252 acw.unbind(WINCONFIG_SEQUENCE, self.winconfigid)
253 self.winconfigid = None
254
255 def _hide_event_check(self):
256 if not self.autocompletewindow:
257 return
258
259 try:
260 if not self.autocompletewindow.focus_get():
261 self.hide_window()
262 except KeyError:
263 # See issue 734176, when user click on menu, acw.focus_get()
264 # will get KeyError.
Terry Jan Reedyc665dfd2016-07-24 23:01:28 -0400265 self.hide_window()
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000266
terryjreedy32805792017-06-14 11:43:49 -0400267 def hide_event(self, event):
268 # Hide autocomplete list if it exists and does not have focus or
269 # mouse click on widget / text area.
270 if self.is_active():
271 if event.type == EventType.FocusOut:
272 # On windows platform, it will need to delay the check for
273 # acw.focus_get() when click on acw, otherwise it will return
274 # None and close the window
275 self.widget.after(1, self._hide_event_check)
276 elif event.type == EventType.ButtonPress:
277 # ButtonPress event only bind to self.widget
278 self.hide_window()
279
Thomas Wouterscf297e42007-02-23 15:07:44 +0000280 def listselect_event(self, event):
Terry Jan Reedyc74fb9c2016-07-24 20:35:43 -0400281 if self.is_active():
282 self.userwantswindow = True
283 cursel = int(self.listbox.curselection()[0])
284 self._change_start(self.completions[cursel])
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000285
286 def doubleclick_event(self, event):
287 # Put the selected completion in the text, and close the list
288 cursel = int(self.listbox.curselection()[0])
289 self._change_start(self.completions[cursel])
290 self.hide_window()
291
292 def keypress_event(self, event):
293 if not self.is_active():
Terry Jan Reedyc74fb9c2016-07-24 20:35:43 -0400294 return None
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000295 keysym = event.keysym
296 if hasattr(event, "mc_state"):
297 state = event.mc_state
298 else:
299 state = 0
Thomas Wouterscf297e42007-02-23 15:07:44 +0000300 if keysym != "Tab":
301 self.lastkey_was_tab = False
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000302 if (len(keysym) == 1 or keysym in ("underscore", "BackSpace")
Kurt B. Kaisere1b4a162007-08-10 02:45:06 +0000303 or (self.mode == COMPLETE_FILES and keysym in
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000304 ("period", "minus"))) \
305 and not (state & ~MC_SHIFT):
306 # Normal editing of text
307 if len(keysym) == 1:
308 self._change_start(self.start + keysym)
309 elif keysym == "underscore":
310 self._change_start(self.start + '_')
311 elif keysym == "period":
312 self._change_start(self.start + '.')
313 elif keysym == "minus":
314 self._change_start(self.start + '-')
315 else:
316 # keysym == "BackSpace"
317 if len(self.start) == 0:
318 self.hide_window()
Terry Jan Reedyc74fb9c2016-07-24 20:35:43 -0400319 return None
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000320 self._change_start(self.start[:-1])
321 self.lasttypedstart = self.start
322 self.listbox.select_clear(0, int(self.listbox.curselection()[0]))
323 self.listbox.select_set(self._binary_search(self.start))
324 self._selection_changed()
325 return "break"
326
Guido van Rossum8ce8a782007-11-01 19:42:39 +0000327 elif keysym == "Return":
328 self.hide_window()
Terry Jan Reedyc74fb9c2016-07-24 20:35:43 -0400329 return None
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000330
Kurt B. Kaisere1b4a162007-08-10 02:45:06 +0000331 elif (self.mode == COMPLETE_ATTRIBUTES and keysym in
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000332 ("period", "space", "parenleft", "parenright", "bracketleft",
333 "bracketright")) or \
Kurt B. Kaisere1b4a162007-08-10 02:45:06 +0000334 (self.mode == COMPLETE_FILES and keysym in
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000335 ("slash", "backslash", "quotedbl", "apostrophe")) \
336 and not (state & ~MC_SHIFT):
337 # If start is a prefix of the selection, but is not '' when
338 # completing file names, put the whole
339 # selected completion. Anyway, close the list.
340 cursel = int(self.listbox.curselection()[0])
341 if self.completions[cursel][:len(self.start)] == self.start \
Kurt B. Kaisere1b4a162007-08-10 02:45:06 +0000342 and (self.mode == COMPLETE_ATTRIBUTES or self.start):
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000343 self._change_start(self.completions[cursel])
344 self.hide_window()
Terry Jan Reedyc74fb9c2016-07-24 20:35:43 -0400345 return None
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000346
347 elif keysym in ("Home", "End", "Prior", "Next", "Up", "Down") and \
348 not state:
349 # Move the selection in the listbox
350 self.userwantswindow = True
351 cursel = int(self.listbox.curselection()[0])
352 if keysym == "Home":
353 newsel = 0
354 elif keysym == "End":
355 newsel = len(self.completions)-1
356 elif keysym in ("Prior", "Next"):
357 jump = self.listbox.nearest(self.listbox.winfo_height()) - \
358 self.listbox.nearest(0)
359 if keysym == "Prior":
360 newsel = max(0, cursel-jump)
361 else:
362 assert keysym == "Next"
363 newsel = min(len(self.completions)-1, cursel+jump)
364 elif keysym == "Up":
365 newsel = max(0, cursel-1)
366 else:
367 assert keysym == "Down"
368 newsel = min(len(self.completions)-1, cursel+1)
369 self.listbox.select_clear(cursel)
370 self.listbox.select_set(newsel)
371 self._selection_changed()
Thomas Wouterscf297e42007-02-23 15:07:44 +0000372 self._change_start(self.completions[newsel])
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000373 return "break"
374
375 elif (keysym == "Tab" and not state):
Thomas Wouterscf297e42007-02-23 15:07:44 +0000376 if self.lastkey_was_tab:
377 # two tabs in a row; insert current selection and close acw
378 cursel = int(self.listbox.curselection()[0])
379 self._change_start(self.completions[cursel])
380 self.hide_window()
381 return "break"
382 else:
383 # first tab; let AutoComplete handle the completion
384 self.userwantswindow = True
385 self.lastkey_was_tab = True
Terry Jan Reedyc74fb9c2016-07-24 20:35:43 -0400386 return None
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000387
Guido van Rossum89da5d72006-08-22 00:21:25 +0000388 elif any(s in keysym for s in ("Shift", "Control", "Alt",
389 "Meta", "Command", "Option")):
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000390 # A modifier key, so ignore
Terry Jan Reedyc74fb9c2016-07-24 20:35:43 -0400391 return None
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000392
Martin v. Löwis97aa21b2012-06-03 12:26:09 +0200393 elif event.char and event.char >= ' ':
Martin v. Löwis862d13a2012-06-03 11:55:32 +0200394 # Regular character with a non-length-1 keycode
395 self._change_start(self.start + event.char)
396 self.lasttypedstart = self.start
397 self.listbox.select_clear(0, int(self.listbox.curselection()[0]))
398 self.listbox.select_set(self._binary_search(self.start))
399 self._selection_changed()
400 return "break"
401
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000402 else:
403 # Unknown event, close the window and let it through.
404 self.hide_window()
Terry Jan Reedyc74fb9c2016-07-24 20:35:43 -0400405 return None
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000406
407 def keyrelease_event(self, event):
408 if not self.is_active():
409 return
410 if self.widget.index("insert") != \
411 self.widget.index("%s+%dc" % (self.startindex, len(self.start))):
412 # If we didn't catch an event which moved the insert, close window
413 self.hide_window()
414
415 def is_active(self):
416 return self.autocompletewindow is not None
417
418 def complete(self):
419 self._change_start(self._complete_string(self.start))
420 # The selection doesn't change.
421
422 def hide_window(self):
423 if not self.is_active():
424 return
425
426 # unbind events
terryjreedy32805792017-06-14 11:43:49 -0400427 self.autocompletewindow.event_delete(HIDE_VIRTUAL_EVENT_NAME,
428 HIDE_FOCUS_OUT_SEQUENCE)
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000429 for seq in HIDE_SEQUENCES:
430 self.widget.event_delete(HIDE_VIRTUAL_EVENT_NAME, seq)
terryjreedy32805792017-06-14 11:43:49 -0400431
432 self.autocompletewindow.unbind(HIDE_VIRTUAL_EVENT_NAME, self.hideaid)
433 self.widget.unbind(HIDE_VIRTUAL_EVENT_NAME, self.hidewid)
434 self.hideaid = None
435 self.hidewid = None
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000436 for seq in KEYPRESS_SEQUENCES:
437 self.widget.event_delete(KEYPRESS_VIRTUAL_EVENT_NAME, seq)
438 self.widget.unbind(KEYPRESS_VIRTUAL_EVENT_NAME, self.keypressid)
439 self.keypressid = None
440 self.widget.event_delete(KEYRELEASE_VIRTUAL_EVENT_NAME,
441 KEYRELEASE_SEQUENCE)
442 self.widget.unbind(KEYRELEASE_VIRTUAL_EVENT_NAME, self.keyreleaseid)
443 self.keyreleaseid = None
444 self.listbox.unbind(LISTUPDATE_SEQUENCE, self.listupdateid)
445 self.listupdateid = None
terryjreedy32805792017-06-14 11:43:49 -0400446 if self.winconfigid:
447 self.autocompletewindow.unbind(WINCONFIG_SEQUENCE, self.winconfigid)
448 self.winconfigid = None
449
450 # Re-focusOn frame.text (See issue #15786)
451 self.widget.focus_set()
Kurt B. Kaiserb1754452005-11-18 22:05:48 +0000452
453 # destroy widgets
454 self.scrollbar.destroy()
455 self.scrollbar = None
456 self.listbox.destroy()
457 self.listbox = None
458 self.autocompletewindow.destroy()
459 self.autocompletewindow = None