config_key.py 14.5 KB
Newer Older
1
"""
2
Dialog for building Tkinter accelerator key bindings
3
"""
4
from tkinter import *
5
from tkinter.ttk import Scrollbar
6
from tkinter import messagebox
7
import string
8
import sys
9

10

11
class GetKeysDialog(Toplevel):
12 13 14 15

    # Dialog title for invalid key sequence
    keyerror_title = 'Key Sequence Error'

16
    def __init__(self, parent, title, action, current_key_sequences,
17
                 *, _htest=False, _utest=False):
18
        """
19 20
        parent - parent of this dialog
        title - string which is the title of the popup dialog
21 22
        action - string, the name of the virtual event these keys will be
                 mapped to
23 24
        current_key_sequences - list, a list of all key sequence lists
                 currently mapped to virtual events, for overlap checking
25
        _htest - bool, change box location when running htest
26
        _utest - bool, do not wait when running unittest
27
        """
28
        Toplevel.__init__(self, parent)
29
        self.withdraw()  # Hide while setting geometry.
30
        self.configure(borderwidth=5)
31
        self.resizable(height=False, width=False)
32 33 34
        self.title(title)
        self.transient(parent)
        self.grab_set()
35
        self.protocol("WM_DELETE_WINDOW", self.cancel)
36
        self.parent = parent
37 38
        self.action = action
        self.current_key_sequences = current_key_sequences
39
        self.result = ''
40 41 42 43
        self.key_string = StringVar(self)
        self.key_string.set('')
        # Set self.modifiers, self.modifier_label.
        self.set_modifiers_for_platform()
44 45 46 47 48
        self.modifier_vars = []
        for modifier in self.modifiers:
            variable = StringVar(self)
            variable.set('')
            self.modifier_vars.append(variable)
49
        self.advanced = False
50 51
        self.create_widgets()
        self.load_final_key_list()
52
        self.update_idletasks()
53 54 55 56 57 58 59
        self.geometry(
                "+%d+%d" % (
                    parent.winfo_rootx() +
                    (parent.winfo_width()/2 - self.winfo_reqwidth()/2),
                    parent.winfo_rooty() +
                    ((parent.winfo_height()/2 - self.winfo_reqheight()/2)
                    if not _htest else 150)
60
                ) )  # Center dialog over parent (or below htest box).
61
        if not _utest:
62
            self.deiconify()  # Geometry set, unhide.
63
            self.wait_window()
64

65 66 67 68
    def showerror(self, *args, **kwargs):
        # Make testing easier.  Replace in #30751.
        messagebox.showerror(*args, **kwargs)

69
    def create_widgets(self):
70
        self.frame = frame = Frame(self, borderwidth=2, relief=SUNKEN)
71 72 73 74 75 76 77 78 79 80 81 82 83
        frame.pack(side=TOP, expand=True, fill=BOTH)

        frame_buttons = Frame(self)
        frame_buttons.pack(side=BOTTOM, fill=X)

        self.button_ok = Button(frame_buttons, text='OK',
                                width=8, command=self.ok)
        self.button_ok.grid(row=0, column=0, padx=5, pady=5)
        self.button_cancel = Button(frame_buttons, text='Cancel',
                                   width=8, command=self.cancel)
        self.button_cancel.grid(row=0, column=1, padx=5, pady=5)

        # Basic entry key sequence.
84
        self.frame_keyseq_basic = Frame(frame, name='keyseq_basic')
85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100
        self.frame_keyseq_basic.grid(row=0, column=0, sticky=NSEW,
                                      padx=5, pady=5)
        basic_title = Label(self.frame_keyseq_basic,
                            text=f"New keys for '{self.action}' :")
        basic_title.pack(anchor=W)

        basic_keys = Label(self.frame_keyseq_basic, justify=LEFT,
                           textvariable=self.key_string, relief=GROOVE,
                           borderwidth=2)
        basic_keys.pack(ipadx=5, ipady=5, fill=X)

        # Basic entry controls.
        self.frame_controls_basic = Frame(frame)
        self.frame_controls_basic.grid(row=1, column=0, sticky=NSEW, padx=5)

        # Basic entry modifiers.
101 102 103 104
        self.modifier_checkbuttons = {}
        column = 0
        for modifier, variable in zip(self.modifiers, self.modifier_vars):
            label = self.modifier_label.get(modifier, modifier)
105 106 107 108
            check = Checkbutton(self.frame_controls_basic,
                                command=self.build_key_string, text=label,
                                variable=variable, onvalue=modifier, offvalue='')
            check.grid(row=0, column=column, padx=2, sticky=W)
109 110
            self.modifier_checkbuttons[modifier] = check
            column += 1
111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137

        # Basic entry help text.
        help_basic = Label(self.frame_controls_basic, justify=LEFT,
                           text="Select the desired modifier keys\n"+
                                "above, and the final key from the\n"+
                                "list on the right.\n\n" +
                                "Use upper case Symbols when using\n" +
                                "the Shift modifier.  (Letters will be\n" +
                                "converted automatically.)")
        help_basic.grid(row=1, column=0, columnspan=4, padx=2, sticky=W)

        # Basic entry key list.
        self.list_keys_final = Listbox(self.frame_controls_basic, width=15,
                                       height=10, selectmode=SINGLE)
        self.list_keys_final.bind('<ButtonRelease-1>', self.final_key_selected)
        self.list_keys_final.grid(row=0, column=4, rowspan=4, sticky=NS)
        scroll_keys_final = Scrollbar(self.frame_controls_basic,
                                      orient=VERTICAL,
                                      command=self.list_keys_final.yview)
        self.list_keys_final.config(yscrollcommand=scroll_keys_final.set)
        scroll_keys_final.grid(row=0, column=5, rowspan=4, sticky=NS)
        self.button_clear = Button(self.frame_controls_basic,
                                   text='Clear Keys',
                                   command=self.clear_key_seq)
        self.button_clear.grid(row=2, column=0, columnspan=4)

        # Advanced entry key sequence.
138
        self.frame_keyseq_advanced = Frame(frame, name='keyseq_advanced')
139 140 141 142 143 144 145 146 147 148 149 150 151 152
        self.frame_keyseq_advanced.grid(row=0, column=0, sticky=NSEW,
                                         padx=5, pady=5)
        advanced_title = Label(self.frame_keyseq_advanced, justify=LEFT,
                               text=f"Enter new binding(s) for '{self.action}' :\n" +
                                     "(These bindings will not be checked for validity!)")
        advanced_title.pack(anchor=W)
        self.advanced_keys = Entry(self.frame_keyseq_advanced,
                                   textvariable=self.key_string)
        self.advanced_keys.pack(fill=X)

        # Advanced entry help text.
        self.frame_help_advanced = Frame(frame)
        self.frame_help_advanced.grid(row=1, column=0, sticky=NSEW, padx=5)
        help_advanced = Label(self.frame_help_advanced, justify=LEFT,
153
            text="Key bindings are specified using Tkinter keysyms as\n"+
154
                 "in these samples: <Control-f>, <Shift-F2>, <F12>,\n"
155 156 157 158 159
                 "<Control-space>, <Meta-less>, <Control-Alt-Shift-X>.\n"
                 "Upper case is used when the Shift modifier is present!\n\n" +
                 "'Emacs style' multi-keystroke bindings are specified as\n" +
                 "follows: <Control-x><Control-y>, where the first key\n" +
                 "is the 'do-nothing' keybinding.\n\n" +
160 161
                 "Multiple separate bindings for one action should be\n"+
                 "separated by a space, eg., <Alt-v> <Meta-v>." )
162 163 164 165 166 167 168
        help_advanced.grid(row=0, column=0, sticky=NSEW)

        # Switch between basic and advanced.
        self.button_level = Button(frame, command=self.toggle_level,
                                  text='<< Basic Key Binding Entry')
        self.button_level.grid(row=2, column=0, stick=EW, padx=5, pady=5)
        self.toggle_level()
169

170
    def set_modifiers_for_platform(self):
171 172 173
        """Determine list of names of key modifiers for this platform.

        The names are used to build Tk bindings -- it doesn't matter if the
174
        keyboard has these keys; it matters if Tk understands them.  The
175 176 177
        order is also important: key binding equality depends on it, so
        config-keys.def must use the same ordering.
        """
178
        if sys.platform == "darwin":
179 180 181
            self.modifiers = ['Shift', 'Control', 'Option', 'Command']
        else:
            self.modifiers = ['Control', 'Alt', 'Shift']
182 183 184 185 186 187 188 189 190 191
        self.modifier_label = {'Control': 'Ctrl'}  # Short name.

    def toggle_level(self):
        "Toggle between basic and advanced keys."
        if  self.button_level.cget('text').startswith('Advanced'):
            self.clear_key_seq()
            self.button_level.config(text='<< Basic Key Binding Entry')
            self.frame_keyseq_advanced.lift()
            self.frame_help_advanced.lift()
            self.advanced_keys.focus_set()
192
            self.advanced = True
193
        else:
194 195 196 197
            self.clear_key_seq()
            self.button_level.config(text='Advanced Key Binding Entry >>')
            self.frame_keyseq_basic.lift()
            self.frame_controls_basic.lift()
198
            self.advanced = False
199

200
    def final_key_selected(self, event=None):
201 202
        "Handler for clicking on key in basic settings list."
        self.build_key_string()
203

204 205 206 207 208 209 210 211
    def build_key_string(self):
        "Create formatted string of modifiers plus the key."
        keylist = modifiers = self.get_modifiers()
        final_key = self.list_keys_final.get(ANCHOR)
        if final_key:
            final_key = self.translate_key(final_key, modifiers)
            keylist.append(final_key)
        self.key_string.set(f"<{'-'.join(keylist)}>")
212

213 214 215 216
    def get_modifiers(self):
        "Return ordered list of modifiers that have been selected."
        mod_list = [variable.get() for variable in self.modifier_vars]
        return [mod for mod in mod_list if mod]
217

218 219 220 221
    def clear_key_seq(self):
        "Clear modifiers and keys selection."
        self.list_keys_final.select_clear(0, END)
        self.list_keys_final.yview(MOVETO, '0.0')
222 223
        for variable in self.modifier_vars:
            variable.set('')
224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258
        self.key_string.set('')

    def load_final_key_list(self):
        "Populate listbox of available keys."
        # These tuples are also available for use in validity checks.
        self.function_keys = ('F1', 'F2' ,'F3' ,'F4' ,'F5' ,'F6',
                              'F7', 'F8' ,'F9' ,'F10' ,'F11' ,'F12')
        self.alphanum_keys = tuple(string.ascii_lowercase + string.digits)
        self.punctuation_keys = tuple('~!@#%^&*()_-+={}[]|;:,.<>/?')
        self.whitespace_keys = ('Tab', 'Space', 'Return')
        self.edit_keys = ('BackSpace', 'Delete', 'Insert')
        self.move_keys = ('Home', 'End', 'Page Up', 'Page Down', 'Left Arrow',
                          'Right Arrow', 'Up Arrow', 'Down Arrow')
        # Make a tuple of most of the useful common 'final' keys.
        keys = (self.alphanum_keys + self.punctuation_keys + self.function_keys +
                self.whitespace_keys + self.edit_keys + self.move_keys)
        self.list_keys_final.insert(END, *keys)

    @staticmethod
    def translate_key(key, modifiers):
        "Translate from keycap symbol to the Tkinter keysym."
        translate_dict = {'Space':'space',
                '~':'asciitilde', '!':'exclam', '@':'at', '#':'numbersign',
                '%':'percent', '^':'asciicircum', '&':'ampersand',
                '*':'asterisk', '(':'parenleft', ')':'parenright',
                '_':'underscore', '-':'minus', '+':'plus', '=':'equal',
                '{':'braceleft', '}':'braceright',
                '[':'bracketleft', ']':'bracketright', '|':'bar',
                ';':'semicolon', ':':'colon', ',':'comma', '.':'period',
                '<':'less', '>':'greater', '/':'slash', '?':'question',
                'Page Up':'Prior', 'Page Down':'Next',
                'Left Arrow':'Left', 'Right Arrow':'Right',
                'Up Arrow':'Up', 'Down Arrow': 'Down', 'Tab':'Tab'}
        if key in translate_dict:
            key = translate_dict[key]
259 260
        if 'Shift' in modifiers and key in string.ascii_lowercase:
            key = key.upper()
261
        return f'Key-{key}'
262

263 264
    def ok(self, event=None):
        keys = self.key_string.get().strip()
265 266 267 268
        if not keys:
            self.showerror(title=self.keyerror_title, parent=self,
                           message="No key specified.")
            return
269
        if (self.advanced or self.keys_ok(keys)) and self.bind_ok(keys):
270
            self.result = keys
271
        self.grab_release()
272
        self.destroy()
273

274 275
    def cancel(self, event=None):
        self.result = ''
276
        self.grab_release()
277
        self.destroy()
278

279 280
    def keys_ok(self, keys):
        """Validity check on user's 'basic' keybinding selection.
281 282 283

        Doesn't check the string produced by the advanced dialog because
        'modifiers' isn't set.
284 285 286
        """
        final_key = self.list_keys_final.get(ANCHOR)
        modifiers = self.get_modifiers()
287
        title = self.keyerror_title
288
        key_sequences = [key for keylist in self.current_key_sequences
289
                             for key in keylist]
290 291 292
        if not keys.endswith('>'):
            self.showerror(title, parent=self,
                           message='Missing the final Key')
293
        elif (not modifiers
294
              and final_key not in self.function_keys + self.move_keys):
295 296
            self.showerror(title=title, parent=self,
                           message='No modifier key(s) specified.')
297
        elif (modifiers == ['Shift']) \
298 299
                 and (final_key not in
                      self.function_keys + self.move_keys + ('Tab', 'Space')):
300 301
            msg = 'The shift modifier by itself may not be used with'\
                  ' this key symbol.'
302
            self.showerror(title=title, parent=self, message=msg)
303
        elif keys in key_sequences:
304
            msg = 'This key combination is already in use.'
305
            self.showerror(title=title, parent=self, message=msg)
306
        else:
307 308
            return True
        return False
309

310 311 312 313 314 315 316 317 318 319 320 321 322 323
    def bind_ok(self, keys):
        "Return True if Tcl accepts the new keys else show message."
        try:
            binding = self.bind(keys, lambda: None)
        except TclError as err:
            self.showerror(
                    title=self.keyerror_title, parent=self,
                    message=(f'The entered key sequence is not accepted.\n\n'
                             f'Error: {err}'))
            return False
        else:
            self.unbind(keys, binding)
            return True

324

325
if __name__ == '__main__':
326 327
    from unittest import main
    main('idlelib.idle_test.test_config_key', verbosity=2, exit=False)
328

329 330
    from idlelib.idle_test.htest import run
    run(GetKeysDialog)