input-remapper/keymapper/gtk/window.py

488 lines
17 KiB
Python
Raw Normal View History

2020-11-09 22:16:30 +00:00
#!/usr/bin/python3
# -*- coding: utf-8 -*-
# key-mapper - GUI for device specific keyboard mappings
# Copyright (C) 2020 sezanzeb <proxima@hip70890b.de>
#
# This file is part of key-mapper.
#
# key-mapper is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# key-mapper is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with key-mapper. If not, see <https://www.gnu.org/licenses/>.
"""User Interface."""
import evdev
from evdev.ecodes import EV_KEY
2020-11-09 22:16:30 +00:00
from gi.repository import Gtk, Gdk, GLib
from keymapper.data import get_data_path
2020-11-18 19:03:37 +00:00
from keymapper.state import custom_mapping
2020-11-09 22:16:30 +00:00
from keymapper.presets import get_presets, find_newest_preset, \
2020-11-18 09:33:59 +00:00
delete_preset, rename_preset, get_available_preset_name
2020-11-09 22:16:30 +00:00
from keymapper.logger import logger
from keymapper.getdevices import get_devices
from keymapper.gtk.row import Row, to_string
2020-11-14 23:27:45 +00:00
from keymapper.gtk.unsaved import unsaved_changes_dialog, GO_BACK
from keymapper.dev.reader import keycode_reader
2020-11-22 20:04:09 +00:00
from keymapper.daemon import get_dbus_interface
2020-11-25 22:55:31 +00:00
from keymapper.config import config
2020-12-05 12:08:07 +00:00
from keymapper.dev.macros import is_this_a_macro, parse
2020-12-06 14:11:13 +00:00
from keymapper.dev import permissions
2020-11-09 22:16:30 +00:00
def gtk_iteration():
"""Iterate while events are pending."""
while Gtk.events_pending():
Gtk.main_iteration()
CTX_SAVE = 0
CTX_APPLY = 1
CTX_ERROR = 3
def get_selected_row_bg():
"""Get the background color that a row is going to have when selected."""
# ListBoxRows can be selected, but either they are always selectable
# via mouse clicks and via code, or not at all. I just want to controll
# it over code. So I have to add a class and change the background color
# to act like it's selected. For this I need the right color, but
# @selected_bg_color doesn't work for every theme. So get it from
# some widget (which is deprecated according to the docs, but it works...)
row = Gtk.ListBoxRow()
row.show_all()
context = row.get_style_context()
color = context.get_background_color(Gtk.StateFlags.SELECTED)
# but this way it can be made only slightly highlighted, which is nice
color.alpha /= 4
row.destroy()
return color.to_string()
2020-11-09 22:16:30 +00:00
class Window:
"""User Interface."""
def __init__(self):
2020-11-22 20:04:09 +00:00
self.dbus = get_dbus_interface()
2020-11-09 22:16:30 +00:00
self.selected_device = None
self.selected_preset = None
css_provider = Gtk.CssProvider()
2020-11-22 20:41:29 +00:00
with open(get_data_path('style.css'), 'r') as file:
data = (
2020-11-22 20:41:29 +00:00
file.read() +
'\n.changed{background-color:' +
get_selected_row_bg() +
';}\n'
)
css_provider.load_from_data(bytes(data, encoding='UTF-8'))
2020-11-09 22:16:30 +00:00
Gtk.StyleContext.add_provider_for_screen(
Gdk.Screen.get_default(),
css_provider,
Gtk.STYLE_PROVIDER_PRIORITY_APPLICATION
)
gladefile = get_data_path('key-mapper.glade')
builder = Gtk.Builder()
builder.add_from_file(gladefile)
builder.connect_signals(self)
self.builder = builder
window = self.get('window')
window.show()
2020-11-16 16:04:04 +00:00
# hide everything until stuff is populated
2020-11-25 23:07:28 +00:00
self.get('vertical-wrapper').set_opacity(0)
2020-11-09 22:16:30 +00:00
self.window = window
# if any of the next steps take a bit to complete, have the window
# already visible (without content) to make it look more responsive.
2020-11-15 19:45:41 +00:00
gtk_iteration()
2020-12-06 14:11:13 +00:00
permission_errors = permissions.can_read_devices()
2020-12-05 17:49:52 +00:00
if len(permission_errors) > 0:
2020-12-06 14:11:13 +00:00
cmd = 'sudo key-mapper-service --setup-permissions'
permission_errors = [(
2020-12-06 14:11:13 +00:00
f'You can also try `{cmd}` to setup all needed permissions '
f'for you. All commands mentioned here are also printed to '
f'the console for you to copy.'
)] + permission_errors
2020-12-05 17:49:52 +00:00
self.show_status(
CTX_ERROR,
'Permission error, hover for info',
2020-12-05 17:49:52 +00:00
'\n\n'.join(permission_errors)
)
2020-11-09 22:16:30 +00:00
self.populate_devices()
self.select_newest_preset()
2020-11-30 13:34:27 +00:00
self.timeouts = [
GLib.timeout_add(100, self.check_add_row),
GLib.timeout_add(1000 / 30, self.consume_newest_keycode)
]
2020-11-09 22:16:30 +00:00
2020-11-16 16:04:04 +00:00
# now show the proper finished content of the window
2020-11-25 23:07:28 +00:00
self.get('vertical-wrapper').set_opacity(1)
2020-11-16 16:04:04 +00:00
2020-11-09 22:16:30 +00:00
def get(self, name):
"""Get a widget from the window"""
return self.builder.get_object(name)
def on_close(self, *_):
"""Safely close the application."""
logger.debug('Closing window')
2020-11-30 13:34:27 +00:00
for timeout in self.timeouts:
GLib.source_remove(timeout)
2020-11-30 19:57:09 +00:00
self.timeouts = []
2020-11-30 13:34:27 +00:00
keycode_reader.stop_reading()
2020-12-04 14:31:32 +00:00
Gtk.main_quit()
2020-11-09 22:16:30 +00:00
def check_add_row(self):
"""Ensure that one empty row is available at all times."""
2020-11-15 00:35:35 +00:00
num_rows = len(self.get('key_list').get_children())
2020-11-09 22:16:30 +00:00
# verify that all mappings are displayed. One of them
# is possible the empty row
num_maps = len(custom_mapping)
if num_rows < num_maps or num_rows > num_maps + 1:
2020-11-15 00:35:35 +00:00
raise AssertionError(
f'custom_mapping contains {len(custom_mapping)} rows, '
f'but {num_rows} are displayed'
2020-11-15 00:35:35 +00:00
)
2020-11-09 22:16:30 +00:00
2020-11-15 00:35:35 +00:00
if num_rows == len(custom_mapping):
2020-11-09 22:16:30 +00:00
self.add_empty()
return True
def select_newest_preset(self):
"""Find and select the newest preset."""
device, preset = find_newest_preset()
if device is not None:
self.get('device_selection').set_active_id(device)
if preset is not None:
self.get('device_selection').set_active_id(preset)
def populate_devices(self):
"""Make the devices selectable."""
devices = get_devices()
device_selection = self.get('device_selection')
for device in devices:
device_selection.append(device, device)
def populate_presets(self):
2020-11-30 13:34:27 +00:00
"""Show the available presets for the selected device.
This will destroy unsaved changes in the custom_mapping.
"""
self.get('preset_name_input').set_text('')
2020-11-09 22:16:30 +00:00
device = self.selected_device
presets = get_presets(device)
2020-11-09 22:16:30 +00:00
if len(presets) == 0:
2020-11-18 09:33:59 +00:00
new_preset = get_available_preset_name(self.selected_device)
2020-11-30 13:34:27 +00:00
custom_mapping.empty()
2020-11-18 09:33:59 +00:00
custom_mapping.save(self.selected_device, new_preset)
presets = [new_preset]
2020-11-09 22:16:30 +00:00
else:
logger.debug('"%s" presets: "%s"', device, '", "'.join(presets))
2020-11-09 22:16:30 +00:00
preset_selection = self.get('preset_selection')
preset_selection.handler_block_by_func(self.on_select_preset)
# otherwise the handler is called with None for each removed preset
preset_selection.remove_all()
preset_selection.handler_unblock_by_func(self.on_select_preset)
for preset in presets:
preset_selection.append(preset, preset)
# and select the newest one (on the top)
preset_selection.set_active(0)
def clear_mapping_table(self):
"""Remove all rows from the mappings table."""
key_list = self.get('key_list')
key_list.forall(key_list.remove)
custom_mapping.empty()
2020-11-09 22:16:30 +00:00
2020-11-14 23:40:19 +00:00
def unhighlight_all_rows(self):
"""Remove all rows from the mappings table."""
key_list = self.get('key_list')
key_list.forall(lambda row: row.unhighlight())
def can_modify_mapping(self, *args):
"""Show a message if changing the mapping is not possible."""
if self.dbus.is_injecting(self.selected_device):
# because the device is in grab mode by the daemon and
# therefore the original keycode inaccessible
logger.info('Cannot change keycodes while injecting')
2020-12-05 17:49:52 +00:00
self.show_status(CTX_ERROR, 'Use "Apply Defaults" before editing')
def get_focused_row(self):
"""Get the Row that is currently in focus."""
focused = self.window.get_focus()
if focused is None:
return True
box = focused.get_parent()
if box is None:
return True
row = box.get_parent()
if not isinstance(row, Row):
return None, None
return row, focused
2020-11-30 13:34:27 +00:00
def consume_newest_keycode(self):
"""To capture events from keyboards, mice and gamepads."""
2020-11-30 13:34:27 +00:00
# the "event" event of Gtk.Window wouldn't trigger on gamepad
# events, so it became a GLib timeout
ev_type, keycode = keycode_reader.read()
if keycode is None or ev_type is None:
2020-11-30 13:34:27 +00:00
return True
click_events = [
evdev.ecodes.BTN_LEFT,
evdev.ecodes.BTN_TOOL_DOUBLETAP
]
if ev_type == EV_KEY and keycode in click_events:
# disable mapping the left mouse button because it would break
# the mouse. Also it is emitted right when focusing the row
# which breaks the current workflow.
2020-11-30 13:34:27 +00:00
return True
self.get('keycode').set_text(to_string(ev_type, keycode))
# inform the currently selected row about the new keycode
row, focused = self.get_focused_row()
if isinstance(focused, Gtk.ToggleButton):
row.set_new_keycode(ev_type, keycode)
2020-11-30 13:34:27 +00:00
return True
2020-11-22 20:41:29 +00:00
def on_apply_system_layout_clicked(self, _):
2020-11-14 21:07:43 +00:00
"""Load the mapping."""
2020-11-22 20:04:09 +00:00
self.dbus.stop_injecting(self.selected_device)
2020-12-05 17:49:52 +00:00
self.show_status(CTX_APPLY, 'Applied the system default')
2020-12-02 17:07:46 +00:00
GLib.timeout_add(10, self.show_device_mapping_status)
2020-11-14 19:35:57 +00:00
2020-12-05 12:08:07 +00:00
def show_status(self, context_id, message, tooltip=None):
"""Show a status message and set its tooltip."""
if tooltip is None:
tooltip = message
status_bar = self.get('status_bar')
status_bar.push(context_id, message)
status_bar.set_tooltip_text(tooltip)
def check_macro_syntax(self):
"""Check if the programmed macros are allright."""
for (ev_type, keycode), output in custom_mapping:
if not is_this_a_macro(output):
continue
error = parse(output, return_errors=True)
if error is None:
continue
position = to_string(ev_type, keycode)
msg = f'Syntax error at {position}, hover for info'
self.show_status(CTX_ERROR, msg, error)
2020-11-09 22:16:30 +00:00
def on_save_preset_clicked(self, button):
"""Save changes to a preset to the file system."""
new_name = self.get('preset_name_input').get_text()
try:
2020-12-05 12:08:07 +00:00
self.save_preset()
2020-11-22 20:41:29 +00:00
if new_name not in ['', self.selected_preset]:
2020-11-09 22:16:30 +00:00
rename_preset(
self.selected_device,
self.selected_preset,
new_name
)
# after saving the config, its modification date will be the
# newest, so populate_presets will automatically select the
# right one again.
self.populate_presets()
2020-12-05 12:08:07 +00:00
self.show_status(CTX_SAVE, f'Saved "{self.selected_preset}"')
self.check_macro_syntax()
2020-11-22 20:41:29 +00:00
except PermissionError as error:
2020-12-05 12:08:07 +00:00
self.show_status(CTX_ERROR, 'Error: Permission denied!')
2020-11-22 20:41:29 +00:00
logger.error(str(error))
2020-11-09 22:16:30 +00:00
2020-11-22 20:41:29 +00:00
def on_delete_preset_clicked(self, _):
2020-11-09 22:16:30 +00:00
"""Delete a preset from the file system."""
delete_preset(self.selected_device, self.selected_preset)
self.populate_presets()
2020-11-22 20:41:29 +00:00
def on_apply_preset_clicked(self, _):
2020-11-09 22:16:30 +00:00
"""Apply a preset without saving changes."""
preset = self.selected_preset
device = self.selected_device
logger.debug('Applying preset "%s" for "%s"', preset, device)
if custom_mapping.changed:
2020-12-05 12:08:07 +00:00
self.show_status(CTX_APPLY, f'Applied outdated preset "{preset}"')
else:
2020-12-05 12:08:07 +00:00
self.show_status(CTX_APPLY, f'Applied preset "{preset}"')
2020-11-22 20:04:09 +00:00
success = self.dbus.start_injecting(
self.selected_device,
preset
2020-11-22 20:04:09 +00:00
)
if not success:
2020-12-05 12:08:07 +00:00
self.show_status(CTX_ERROR, 'Error: Could not grab devices!')
# restart reading because after injecting the device landscape
# changes a bit
keycode_reader.start_reading(device)
2020-12-02 17:07:46 +00:00
GLib.timeout_add(10, self.show_device_mapping_status)
2020-11-25 22:55:31 +00:00
def on_preset_autoload_switch_activate(self, _, active):
"""Load the preset automatically next time the user logs in."""
device = self.selected_device
preset = self.selected_preset
2020-11-30 19:57:09 +00:00
config.set_autoload_preset(device, preset if active else None)
2020-11-25 22:55:31 +00:00
config.save_config()
2020-11-09 22:16:30 +00:00
def on_select_device(self, dropdown):
"""List all presets, create one if none exist yet."""
2020-11-14 23:27:45 +00:00
if dropdown.get_active_id() == self.selected_device:
return
if custom_mapping.changed and unsaved_changes_dialog() == GO_BACK:
dropdown.set_active_id(self.selected_device)
return
# selecting a device will also automatically select a different
# preset. Prevent another unsaved-changes dialog to pop up
custom_mapping.changed = False
2020-11-09 22:16:30 +00:00
device = dropdown.get_active_text()
logger.debug('Selecting device "%s"', device)
self.selected_device = device
self.selected_preset = None
self.populate_presets()
2020-12-02 17:07:46 +00:00
GLib.idle_add(lambda: keycode_reader.start_reading(device))
self.show_device_mapping_status()
def show_device_mapping_status(self):
"""Figure out if this device is currently under keymappers control."""
if self.dbus.is_injecting(self.selected_device):
logger.info('This device is currently mapped.')
self.get('apply_system_layout').set_opacity(1)
else:
self.get('apply_system_layout').set_opacity(0.4)
2020-11-09 22:16:30 +00:00
2020-11-22 20:41:29 +00:00
def on_create_preset_clicked(self, _):
2020-11-09 22:16:30 +00:00
"""Create a new preset and select it."""
2020-11-14 19:35:57 +00:00
if custom_mapping.changed:
2020-11-14 23:27:45 +00:00
if unsaved_changes_dialog() == GO_BACK:
2020-11-14 19:35:57 +00:00
return
2020-11-16 23:51:57 +00:00
try:
2020-11-18 09:33:59 +00:00
new_preset = get_available_preset_name(self.selected_device)
custom_mapping.empty()
2020-11-18 09:33:59 +00:00
custom_mapping.save(self.selected_device, new_preset)
2020-11-16 23:51:57 +00:00
self.get('preset_selection').append(new_preset, new_preset)
self.get('preset_selection').set_active_id(new_preset)
2020-11-22 20:41:29 +00:00
except PermissionError as error:
2020-12-05 12:08:07 +00:00
self.show_status(CTX_ERROR, 'Error: Permission denied!')
2020-11-22 20:41:29 +00:00
logger.error(str(error))
2020-11-09 22:16:30 +00:00
def on_select_preset(self, dropdown):
"""Show the mappings of the preset."""
2020-11-14 23:27:45 +00:00
if dropdown.get_active_id() == self.selected_preset:
return
if custom_mapping.changed and unsaved_changes_dialog() == GO_BACK:
dropdown.set_active_id(self.selected_preset)
return
2020-11-09 22:16:30 +00:00
self.clear_mapping_table()
preset = dropdown.get_active_text()
logger.debug('Selecting preset "%s"', preset)
self.selected_preset = preset
custom_mapping.load(self.selected_device, self.selected_preset)
2020-11-09 22:16:30 +00:00
key_list = self.get('key_list')
for (ev_type, keycode), output in custom_mapping:
2020-11-09 22:16:30 +00:00
single_key_mapping = Row(
window=self,
delete_callback=self.on_row_removed,
ev_type=ev_type,
2020-11-09 22:16:30 +00:00
keycode=keycode,
2020-11-18 09:33:59 +00:00
character=output
2020-11-09 22:16:30 +00:00
)
2020-11-14 23:27:45 +00:00
key_list.insert(single_key_mapping, -1)
2020-11-09 22:16:30 +00:00
2020-11-26 20:33:31 +00:00
autoload_switch = self.get('preset_autoload_switch')
autoload_switch.set_active(config.is_autoloaded(
self.selected_device,
self.selected_preset
))
self.get('preset_name_input').set_text('')
2020-11-09 22:16:30 +00:00
self.add_empty()
def add_empty(self):
2020-11-22 20:41:29 +00:00
"""Add one empty row for a single mapped key."""
2020-11-09 22:16:30 +00:00
empty = Row(
window=self,
delete_callback=self.on_row_removed
)
key_list = self.get('key_list')
2020-11-14 23:27:45 +00:00
key_list.insert(empty, -1)
2020-11-09 22:16:30 +00:00
def on_row_removed(self, single_key_mapping):
"""Stuff to do when a row was removed
Parameters
----------
single_key_mapping : Row
"""
key_list = self.get('key_list')
# https://stackoverflow.com/a/30329591/4417769
2020-11-14 23:27:45 +00:00
key_list.remove(single_key_mapping)
2020-11-09 22:16:30 +00:00
2020-12-05 12:08:07 +00:00
def save_preset(self):
"""Write changes to presets to disk."""
2020-11-09 22:16:30 +00:00
if self.selected_device is None or self.selected_preset is None:
return
logger.info(
'Updating configs for "%s", "%s"',
self.selected_device,
self.selected_preset
)
custom_mapping.save(self.selected_device, self.selected_preset)
2020-11-14 19:35:57 +00:00
custom_mapping.changed = False
2020-11-14 23:40:19 +00:00
self.unhighlight_all_rows()