summaryrefslogtreecommitdiff
path: root/kvmd/plugins/hid/otg/device.py
diff options
context:
space:
mode:
Diffstat (limited to 'kvmd/plugins/hid/otg/device.py')
-rw-r--r--kvmd/plugins/hid/otg/device.py183
1 files changed, 183 insertions, 0 deletions
diff --git a/kvmd/plugins/hid/otg/device.py b/kvmd/plugins/hid/otg/device.py
new file mode 100644
index 00000000..fbd91f59
--- /dev/null
+++ b/kvmd/plugins/hid/otg/device.py
@@ -0,0 +1,183 @@
+# ========================================================================== #
+# #
+# KVMD - The main Pi-KVM daemon. #
+# #
+# Copyright (C) 2018 Maxim Devaev <[email protected]> #
+# #
+# This program 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. #
+# #
+# This program 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 this program. If not, see <https://www.gnu.org/licenses/>. #
+# #
+# ========================================================================== #
+
+
+import os
+import select
+import signal
+import multiprocessing
+import multiprocessing.queues
+import queue
+import errno
+import time
+
+import setproctitle
+
+from ....logging import get_logger
+
+
+# =====
+class BaseEvent:
+ pass
+
+
+class BaseDeviceProcess(multiprocessing.Process): # pylint: disable=too-many-instance-attributes
+ def __init__(
+ self,
+ name: str,
+ device_path: str,
+ select_timeout: float,
+ write_retries: int,
+ write_retries_delay: float,
+ noop: bool,
+ ) -> None:
+
+ super().__init__(daemon=True)
+
+ self.__name = name
+
+ self.__device_path = device_path
+ self.__select_timeout = select_timeout
+ self.__write_retries = write_retries
+ self.__write_retries_delay = write_retries_delay
+ self.__noop = noop
+
+ self.__fd = -1
+ self.__events_queue: multiprocessing.queues.Queue = multiprocessing.Queue()
+ self.__online_shared = multiprocessing.Value("i", 1)
+ self.__stop_event = multiprocessing.Event()
+
+ def run(self) -> None:
+ logger = get_logger(0)
+
+ logger.info("Started HID-%s pid=%d", self.__name, os.getpid())
+ signal.signal(signal.SIGINT, signal.SIG_IGN)
+ setproctitle.setproctitle(f"kvmd/hid-{self.__name}: {setproctitle.getproctitle()}")
+
+ while not self.__stop_event.is_set():
+ try:
+ while not self.__stop_event.is_set():
+ passed = 0
+ try:
+ event: BaseEvent = self.__events_queue.get(timeout=0.05)
+ except queue.Empty:
+ if passed >= 20: # 20 * 0.05 = 1 sec
+ self._ensure_device() # Check device
+ passed = 0
+ else:
+ passed += 1
+ else:
+ self._process_event(event)
+ passed = 0
+ except Exception:
+ logger.exception("Unexpected HID-%s error", self.__name)
+ self._close_device()
+ finally:
+ time.sleep(1)
+
+ self._close_device()
+
+ def is_online(self) -> bool:
+ return bool(self.__online_shared.value and self.is_alive())
+
+ def _stop(self) -> None:
+ if self.is_alive():
+ get_logger().info("Stopping HID-%s daemon ...", self.__name)
+ self.__stop_event.set()
+ if self.exitcode is not None:
+ self.join()
+
+ def _process_event(self, event: BaseEvent) -> None:
+ raise NotImplementedError
+
+ def _queue_event(self, event: BaseEvent) -> None:
+ self.__events_queue.put(event)
+
+ def _write_report(self, report: bytes) -> bool:
+ if self.__noop:
+ return True
+
+ assert self.__fd >= 0
+ logger = get_logger()
+
+ retries = self.__write_retries
+ while retries:
+ try:
+ written = os.write(self.__fd, report)
+ if written == len(report):
+ self.__online_shared.value = 1
+ return True
+ else:
+ logger.error("HID-%s write() error: written (%s) != report length (%d)",
+ self.__name, written, len(report))
+ except Exception as err:
+ if isinstance(err, OSError) and err.errno == errno.EAGAIN: # pylint: disable=no-member
+ logger.debug("HID-%s busy/unplugged (write): %s: %s",
+ self.__name, type(err).__name__, err)
+ else:
+ logger.exception("Can't write report to HID-%s", self.__name)
+
+ retries -= 1
+
+ if retries:
+ logger.debug("HID-%s write retries left: %d", self.__name, retries)
+ time.sleep(self.__write_retries_delay)
+
+ self._close_device()
+ return False
+
+ def _ensure_device(self) -> bool:
+ if self.__noop:
+ return True
+
+ logger = get_logger()
+
+ if self.__fd < 0:
+ try:
+ self.__fd = os.open(self.__device_path, os.O_WRONLY|os.O_NONBLOCK)
+ except FileNotFoundError:
+ logger.error("Missing HID-%s device: %s", self.__name, self.__device_path)
+ except Exception as err:
+ logger.error("Can't open HID-%s device: %s: %s: %s",
+ self.__name, self.__device_path, type(err).__name__, err)
+
+ if self.__fd >= 0:
+ try:
+ if select.select([], [self.__fd], [], self.__select_timeout)[1]:
+ self.__online_shared.value = 1
+ return True
+ else:
+ logger.debug("HID-%s is busy/unplugged (select)", self.__name)
+ except Exception as err:
+ logger.error("Can't select() HID-%s: %s: %s", self.__name, type(err).__name__, err)
+ self._close_device()
+
+ self.__online_shared.value = 0
+ return False
+
+ def _close_device(self) -> None:
+ if self.__fd >= 0:
+ try:
+ os.close(self.__fd)
+ except Exception:
+ pass
+ finally:
+ self.__fd = -1