summaryrefslogtreecommitdiff
path: root/voctocore/lib/controlserver.py
blob: c0ceb0bea4c7842332ce0846a19d9311c1cd5951 (plain)
  1. #!/usr/bin/python3
  2. import socket, logging, traceback
  3. from queue import Queue
  4. from gi.repository import GObject
  5. from lib.commands import ControlServerCommands
  6. from lib.tcpmulticonnection import TCPMultiConnection
  7. from lib.response import NotifyResponse, OkResponse
  8. class ControlServer(TCPMultiConnection):
  9. def __init__(self, pipeline):
  10. '''Initialize server and start listening.'''
  11. self.log = logging.getLogger('ControlServer')
  12. super().__init__(port=9999)
  13. self.command_queue = Queue()
  14. self.commands = ControlServerCommands(pipeline)
  15. def on_accepted(self, conn, addr):
  16. '''Asynchronous connection listener. Starts a handler for each connection.'''
  17. self.log.debug('setting gobject io-watch on connection')
  18. GObject.io_add_watch(conn, GObject.IO_IN, self.on_data, [''])
  19. def on_data(self, conn, _, leftovers, *args):
  20. '''Asynchronous connection handler. Pushes data from socket
  21. into command queue linewise'''
  22. close_after = False
  23. try:
  24. while True:
  25. try:
  26. leftovers.append(conn.recv(4096).decode(errors='replace'))
  27. if len(leftovers[-1]) == 0:
  28. self.log.info("Socket was closed")
  29. leftovers.pop()
  30. close_after = True
  31. break
  32. except UnicodeDecodeError as e:
  33. continue
  34. except:
  35. pass
  36. data = "".join(leftovers)
  37. del leftovers[:]
  38. lines = data.split('\n')
  39. for line in lines[:-1]:
  40. self.log.debug("got line: %r", line)
  41. line = line.strip()
  42. # TODO: move quit to on_loop
  43. # 'quit' = remote wants us to close the connection
  44. if line == 'quit':
  45. self.log.info("Client asked us to close the Connection")
  46. self.close_connection(conn)
  47. return False
  48. if self.command_queue.empty():
  49. GObject.idle_add(self.on_loop)
  50. self.command_queue.put((line, conn))
  51. if close_after:
  52. self.close_connection(conn)
  53. return False
  54. if lines[-1] != '':
  55. self.log.debug("remaining %r", lines[-1])
  56. leftovers.append(lines[-1])
  57. return True
  58. def on_loop(self):
  59. '''Command handler. Processes commands in the command queue whenever
  60. nothing else is happening (registered as GObject idle callback)'''
  61. if self.command_queue.empty():
  62. return False
  63. line, requestor = self.command_queue.get()
  64. words = line.split()
  65. if len(words) < 1:
  66. return False
  67. command = words[0]
  68. args = words[1:]
  69. self.log.info("processing command %r with args %s", command, args)
  70. response = None
  71. try:
  72. # deny calling private methods
  73. if command[0] == '_':
  74. self.log.info('private methods are not callable')
  75. raise KeyError()
  76. command_function = self.commands.__class__.__dict__[command]
  77. except KeyError as e:
  78. self.log.info("received unknown command %s", command)
  79. response = "error unknown command %s\n" % command
  80. else:
  81. try:
  82. responseObject = command_function(self.commands, *args)
  83. except Exception as e:
  84. message = str(e) or "<no message>"
  85. response = "error %s\n" % message
  86. else:
  87. if isinstance(responseObject, NotifyResponse):
  88. responseObject = [ responseObject ]
  89. if isinstance(responseObject, list):
  90. for obj in responseObject:
  91. signal = "%s\n" % str(obj)
  92. for conn in self.currentConnections:
  93. self._schedule_write(conn, signal)
  94. else:
  95. response = "%s\n" % str(responseObject)
  96. finally:
  97. if response is not None and requestor in self.currentConnections:
  98. self._schedule_write(requestor, response)
  99. return False
  100. def _schedule_write(self, conn, message):
  101. queue = self.currentConnections[conn]
  102. if queue.empty():
  103. GObject.io_add_watch(conn, GObject.IO_OUT, self.on_write)
  104. queue.put(message)
  105. def on_write(self, conn, *args):
  106. # TODO: on_loop() is not called as soon as there is a writable socket
  107. self.on_loop()
  108. try:
  109. queue = self.currentConnections[conn]
  110. except KeyError:
  111. return False
  112. if queue.empty():
  113. return False
  114. message = queue.get()
  115. try:
  116. conn.send(message.encode())
  117. except Exception as e:
  118. self.log.warn(e)
  119. return True
  120. def notify_all(self, msg):
  121. try:
  122. words = msg.split()
  123. words[-1] = self.commands.encodeSourceName(int(words[-1]))
  124. msg = " ".join(words) + '\n'
  125. for conn in self.currentConnections:
  126. self._schedule_write(conn, msg)
  127. except Exception as e:
  128. self.log.debug("error during notify: %s", e)