Python Library Socket Protocol
Você não pode selecionar mais de 25 tópicos Os tópicos devem começar com uma letra ou um número, podem incluir traços ('-') e podem ter até 35 caracteres.

__init__.py 21KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488
  1. #!/usr/bin/env python
  2. # -*- coding: utf-8 -*-
  3. #
  4. """
  5. socket_protocol (Socket Protocol)
  6. =================================
  7. **Author:**
  8. * Dirk Alders <sudo-dirk@mount-mockery.de>
  9. **Description:**
  10. This Module supports point to point communication for client-server issues.
  11. **Submodules:**
  12. * :class:`socket_protocol.struct_json_protocol`
  13. * :class:`socket_protocol.pure_json_protocol`
  14. **Unittest:**
  15. See also the :download:`unittest <../../socket_protocol/_testresults_/unittest.pdf>` documentation.
  16. """
  17. __DEPENDENCIES__ = ['stringtools']
  18. import stringtools
  19. import binascii
  20. import hashlib
  21. import json
  22. import logging
  23. import os
  24. import struct
  25. import sys
  26. import time
  27. logger_name = 'SOCKET_PROTOCOL'
  28. logger = logging.getLogger(logger_name)
  29. __DESCRIPTION__ = """The Module {\\tt %s} is designed to pack and unpack data for serial transportation.
  30. For more Information read the sphinx documentation.""" % __name__.replace('_', '\_')
  31. """The Module Description"""
  32. __INTERPRETER__ = (2, 3)
  33. """The Tested Interpreter-Versions"""
  34. class RegistrationError(BaseException):
  35. pass
  36. class callback_storage(dict):
  37. def __init__(self):
  38. dict.__init__(self)
  39. def get(self, service_id, data_id):
  40. if service_id is not None and data_id is not None:
  41. try:
  42. return self[service_id][data_id]
  43. except KeyError:
  44. pass # nothing to append
  45. if data_id is not None:
  46. try:
  47. return self[None][data_id]
  48. except KeyError:
  49. pass # nothing to append
  50. if service_id is not None:
  51. try:
  52. return self[service_id][None]
  53. except KeyError:
  54. pass # nothing to append
  55. try:
  56. return self[None][None]
  57. except KeyError:
  58. pass # nothing to append
  59. return None
  60. def add(self, service_id, data_id, callback):
  61. if self.get(service_id, data_id) is not None:
  62. raise RegistrationError("Callback for service_id (%s) and data_id (%s) already exists" % (repr(service_id), repr(data_id)))
  63. if service_id not in self:
  64. self[service_id] = {}
  65. self[service_id][data_id] = callback
  66. class data_storage(dict):
  67. KEY_STATUS = 'status'
  68. KEY_SERVICE_ID = 'service_id'
  69. KEY_DATA_ID = 'data_id'
  70. KEY_DATA = 'data'
  71. def __init__(self, *args, **kwargs):
  72. dict.__init__(self, *args, **kwargs)
  73. def get_status(self, default=None):
  74. return self.get(self.KEY_STATUS, default)
  75. def get_service_id(self, default=None):
  76. return self.get(self.KEY_SERVICE_ID, default)
  77. def get_data_id(self, default=None):
  78. return self.get(self.KEY_DATA_ID, default)
  79. def get_data(self, default=None):
  80. return self.get(self.KEY_DATA, default)
  81. class struct_json_protocol(object):
  82. """
  83. :param comm_instance: a communication instance supportin at least these functions: :func:`register_callback`, :func:`register_disconnect_callback`, :func:`send`.
  84. :type comm_instance: instance
  85. :param secret: A secret (e.g. created by ``binascii.hexlify(os.urandom(24))``).
  86. :type secret: str
  87. This communication protocol supports to transfer a Service-ID, Data-ID and Data. The transmitted data is shorter than :class:`pure_json_protocol`.
  88. .. note::
  89. This class is here for compatibility reasons. Usage of :class:`pure_json_protocol` is recommended.
  90. **Example:**
  91. Server:
  92. .. literalinclude:: ../../socket_protocol/_examples_/socket_protocol__struct_json_protocol_server.py
  93. .. literalinclude:: ../../socket_protocol/_examples_/socket_protocol__struct_json_protocol_server.log
  94. Client:
  95. .. literalinclude:: ../../socket_protocol/_examples_/socket_protocol__struct_json_protocol_client.py
  96. .. literalinclude:: ../../socket_protocol/_examples_/socket_protocol__struct_json_protocol_client.log
  97. """
  98. LOG_PREFIX = 'SJP:'
  99. SID_AUTH_SEED_REQUEST = 1
  100. SID_AUTH_KEY_REQUEST = 2
  101. SID_AUTH_KEY_CHECK_REQUEST = 3
  102. SID_AUTH_KEY_CHECK_RESPONSE = 4
  103. SID_READ_REQUEST = 10
  104. SID_READ_RESPONSE = 11
  105. SID_WRITE_REQUEST = 20
  106. SID_WRITE_RESPONSE = 21
  107. SID_EXECUTE_REQUEST = 30
  108. SID_EXECUTE_RESPONSE = 31
  109. SID_RESPONSE_DICT = {SID_AUTH_SEED_REQUEST: SID_AUTH_KEY_REQUEST,
  110. SID_AUTH_KEY_REQUEST: SID_AUTH_KEY_CHECK_REQUEST,
  111. SID_AUTH_KEY_CHECK_REQUEST: SID_AUTH_KEY_CHECK_RESPONSE,
  112. SID_READ_REQUEST: SID_READ_RESPONSE,
  113. SID_WRITE_REQUEST: SID_WRITE_RESPONSE,
  114. SID_EXECUTE_REQUEST: SID_EXECUTE_RESPONSE}
  115. SID_AUTH_LIST = [SID_AUTH_SEED_REQUEST, SID_AUTH_KEY_REQUEST, SID_AUTH_KEY_CHECK_REQUEST, SID_AUTH_KEY_CHECK_RESPONSE]
  116. STATUS_OKAY = 0
  117. STATUS_BUFFERING_UNHANDLED_REQUEST = 1
  118. STATUS_AUTH_REQUIRED = 2
  119. STATUS_SERVICE_OR_DATA_UNKNOWN = 3
  120. STATUS_CHECKSUM_ERROR = 4
  121. STATUS_OPERATION_NOT_PERMITTED = 5
  122. STATUS_NAMES = {STATUS_OKAY: 'Okay',
  123. STATUS_BUFFERING_UNHANDLED_REQUEST: 'Request has no callback. Data buffered.',
  124. STATUS_AUTH_REQUIRED: 'Authentification required',
  125. STATUS_SERVICE_OR_DATA_UNKNOWN: 'Service or Data unknown',
  126. STATUS_CHECKSUM_ERROR: 'Checksum Error',
  127. STATUS_OPERATION_NOT_PERMITTED: 'Operation not permitted'}
  128. AUTH_STATE_UNKNOWN_CLIENT = 0
  129. AUTH_STATE_SEED_REQUESTED = 1
  130. AUTH_STATE_SEED_TRANSFERRED = 2
  131. AUTH_STATE_KEY_TRANSFERRED = 3
  132. AUTH_STATE_TRUSTED_CLIENT = 4
  133. AUTH_STATUS_NAMES = {AUTH_STATE_UNKNOWN_CLIENT: 'Unknown Client',
  134. AUTH_STATE_SEED_REQUESTED: 'Seed was requested',
  135. AUTH_STATE_SEED_TRANSFERRED: 'Seed has been sent',
  136. AUTH_STATE_KEY_TRANSFERRED: 'Key has been sent',
  137. AUTH_STATE_TRUSTED_CLIENT: 'Trusted Client'}
  138. def __init__(self, comm_instance, secret=None):
  139. self.__secret__ = secret
  140. self.__clean_receive_buffer__()
  141. self.__callbacks__ = callback_storage()
  142. self.__callbacks__.add(self.SID_AUTH_SEED_REQUEST, 0, self.__authentificate_create_seed__)
  143. self.__callbacks__.add(self.SID_AUTH_KEY_REQUEST, 0, self.__authentificate_create_key__)
  144. self.__callbacks__.add(self.SID_AUTH_KEY_CHECK_REQUEST, 0, self.__authentificate_check_key__)
  145. self.__callbacks__.add(self.SID_AUTH_KEY_CHECK_RESPONSE, 0, self.__authentificate_process_feedback__)
  146. self.__authentification_state_reset__()
  147. self.__seed__ = None
  148. self.__comm_inst__ = comm_instance
  149. self.__comm_inst__.register_callback(self.__data_available_callback__)
  150. self.__comm_inst__.register_connect_callback(self.__clean_receive_buffer__)
  151. self.__comm_inst__.register_disconnect_callback(self.__authentification_state_reset__)
  152. def is_connected(self):
  153. return self.__comm_inst__.is_connected()
  154. def __authentification_state_reset__(self):
  155. logger.info("%s Resetting authentification state to AUTH_STATE_UNKNOWN_CLIENT", self.LOG_PREFIX)
  156. self.__authentification_state__ = self.AUTH_STATE_UNKNOWN_CLIENT
  157. def __analyse_frame__(self, frame):
  158. status, service_id, data_id = struct.unpack('>III', frame[0:12])
  159. if sys.version_info >= (3, 0):
  160. data = json.loads(frame[12:-1].decode('utf-8'))
  161. else:
  162. data = json.loads(frame[12:-1])
  163. return self.__mk_msg__(status, service_id, data_id, data)
  164. def __build_frame__(self, service_id, data_id, data, status=STATUS_OKAY):
  165. frame = struct.pack('>III', status, service_id, data_id)
  166. if sys.version_info >= (3, 0):
  167. frame += bytes(json.dumps(data), 'utf-8')
  168. frame += self.__calc_chksum__(frame)
  169. else:
  170. frame += json.dumps(data)
  171. frame += self.__calc_chksum__(frame)
  172. return frame
  173. def __calc_chksum__(self, raw_data):
  174. chksum = 0
  175. for b in raw_data:
  176. if sys.version_info >= (3, 0):
  177. chksum ^= b
  178. else:
  179. chksum ^= ord(b)
  180. if sys.version_info >= (3, 0):
  181. return bytes([chksum])
  182. else:
  183. return chr(chksum)
  184. def __check_frame_checksum__(self, frame):
  185. return self.__calc_chksum__(frame[:-1]) == frame[-1:]
  186. def __data_available_callback__(self, comm_inst):
  187. frame = comm_inst.receive()
  188. if not self.__check_frame_checksum__(frame):
  189. logger.warning("%s Received message has a wrong checksum and will be ignored: %s.", self.LOG_PREFIX, stringtools.hexlify(frame))
  190. else:
  191. msg = self.__analyse_frame__(frame)
  192. logger.info(
  193. '%s RX <- status: %s, service_id: %s, data_id: %s, data: "%s"',
  194. self.LOG_PREFIX,
  195. repr(msg.get_status()),
  196. repr(msg.get_service_id()),
  197. repr(msg.get_data_id()),
  198. repr(msg.get_data())
  199. )
  200. callback = self.__callbacks__.get(msg.get_service_id(), msg.get_data_id())
  201. if msg.get_service_id() in self.SID_RESPONSE_DICT.keys():
  202. #
  203. # REQUEST RECEIVED
  204. #
  205. if self.__secret__ is not None and not self.check_authentification_state() and msg.get_service_id() not in self.SID_AUTH_LIST:
  206. status = self.STATUS_AUTH_REQUIRED
  207. data = None
  208. logger.warning("%s Received message needs authentification: %s. Sending negative response.", self.LOG_PREFIX, self.AUTH_STATUS_NAMES.get(self.__authentification_state__, 'Unknown authentification status!'))
  209. elif callback is None:
  210. logger.warning("%s Received message with no registered callback. Sending negative response.", self.LOG_PREFIX)
  211. status = self.STATUS_BUFFERING_UNHANDLED_REQUEST
  212. data = None
  213. else:
  214. try:
  215. logger.debug("%s Executing callback %s to process received data", self.LOG_PREFIX, callback.__name__)
  216. status, data = callback(msg)
  217. except TypeError:
  218. raise TypeError('Check return value of callback function {callback_name} for service_id {service_id} and data_id {data_id}'.format(callback_name=callback.__name__, service_id=repr(msg.get_service_id()), data_id=repr(msg.get_data_id())))
  219. self.send(self.SID_RESPONSE_DICT[msg.get_service_id()], msg.get_data_id(), data, status=status)
  220. else:
  221. #
  222. # RESPONSE RECEIVED
  223. #
  224. if msg.get_status() not in [self.STATUS_OKAY]:
  225. logger.warning("%s Received message has a peculiar status: %s", self.LOG_PREFIX, self.STATUS_NAMES.get(msg.get_status(), 'Unknown status response!'))
  226. if callback is None:
  227. status = self.STATUS_OKAY
  228. data = None
  229. self.__buffer_received_data__(msg)
  230. else:
  231. try:
  232. logger.debug("%s Executing callback %s to process received data", self.LOG_PREFIX, callback.__name__)
  233. status, data = callback(msg)
  234. except TypeError:
  235. raise TypeError('Check return value of callback function {callback_name} for service_id {service_id} and data_id {data_id}'.format(callback_name=callback.__name__, service_id=repr(msg.get_service_id()), data_id=repr(msg.get_data_id())))
  236. def __buffer_received_data__(self, msg):
  237. if not msg.get_service_id() in self.__msg_buffer__:
  238. self.__msg_buffer__[msg.get_service_id()] = {}
  239. if not msg.get_data_id() in self.__msg_buffer__[msg.get_service_id()]:
  240. self.__msg_buffer__[msg.get_service_id()][msg.get_data_id()] = []
  241. self.__msg_buffer__[msg.get_service_id()][msg.get_data_id()].append(msg)
  242. logger.debug("%s Message data is stored in buffer and is now ready to be retrieved by receive method", self.LOG_PREFIX)
  243. def __clean_receive_buffer__(self):
  244. logger.debug("%s Cleaning up receive-buffer", self.LOG_PREFIX)
  245. self.__msg_buffer__ = {}
  246. def receive(self, service_id, data_id, timeout=1):
  247. data = None
  248. cnt = 0
  249. while data is None and cnt < timeout * 10:
  250. try:
  251. data = self.__msg_buffer__.get(service_id, {}).get(data_id, []).pop(0)
  252. except IndexError:
  253. data = None
  254. cnt += 1
  255. time.sleep(0.1)
  256. if data is None and cnt >= timeout * 10:
  257. logger.warning('%s TIMEOUT (%ss): Requested data (service_id: %s; data_id: %s) not in buffer.', self.LOG_PREFIX, repr(timeout), repr(service_id), repr(data_id))
  258. return data
  259. def __mk_msg__(self, status, service_id, data_id, data):
  260. return data_storage({data_storage.KEY_DATA_ID: data_id, data_storage.KEY_SERVICE_ID: service_id, data_storage.KEY_STATUS: status, data_storage.KEY_DATA: data})
  261. def send(self, service_id, data_id, data, status=STATUS_OKAY, timeout=2, log_lvl=logging.INFO):
  262. """
  263. :param service_id: The Service-ID for the message. See class definitions starting with ``SERVICE_``.
  264. :type service_id: int
  265. :param data_id: The Data-ID for the message.
  266. :type data_id: int
  267. :param data: The data to be transfered. The data needs to be json compatible.
  268. :type data: str
  269. :param status: The Status for the message. All requests should have ``STATUS_OKAY``.
  270. :type status: int
  271. :param timeout: The timeout for sending data (e.g. time to establish new connection).
  272. :type timeout: float
  273. :param rx_log_lvl: The log level to log outgoing TX-data
  274. :type rx_log_lvl: int
  275. :return: True if data had been sent, otherwise False.
  276. :rtype: bool
  277. This methods sends out a message with the given content.
  278. """
  279. logger.log(log_lvl, '%s TX -> status: %d, service_id: %d, data_id: %d, data: "%s"', self.LOG_PREFIX, status, service_id, data_id, repr(data))
  280. return self.__comm_inst__.send(self.__build_frame__(service_id, data_id, data, status), timeout=timeout, log_lvl=logging.DEBUG)
  281. def register_callback(self, service_id, data_id, callback):
  282. """
  283. :param service_id: The Service-ID for the message. See class definitions starting with ``SID_``.
  284. :type service_id: int
  285. :param data_id: The Data-ID for the message.
  286. :type data_id: int
  287. :returns: True, if registration was successfull; False, if registration failed (e.g. existance of a callback for this configuration)
  288. :rtype: bool
  289. This method registers a callback for the given parameters. Givin ``None`` means, that all Service-IDs or all Data-IDs are used.
  290. If a message hitting these parameters has been received, the callback will be executed.
  291. .. note:: The :func:`callback` is priorised in the following order:
  292. * Callbacks with defined Service-ID and Data-ID.
  293. * Callbacks with a defined Data-ID.
  294. * Callbacks with a defined Service-ID.
  295. * Unspecific Callbacks
  296. .. note:: The :func:`callback` is executed with these arguments:
  297. :param msg: A :class:`dict` containing all message information.
  298. :returns: status (see class definition starting with ``STATUS_``), response_data (JSON compatible object)
  299. """
  300. self.__callbacks__.add(service_id, data_id, callback)
  301. def authentificate(self, timeout=2):
  302. """
  303. :param timeout: The timeout for the authentification (requesting seed, sending key and getting authentification_feedback).
  304. :type timeout: float
  305. :returns: True, if authentification was successfull; False, if not.
  306. :rtype: bool
  307. This method authetificates the client at the server.
  308. .. note:: An authentification will only processed, if a secret had been given on initialisation.
  309. .. note:: Client and Server needs to use the same secret.
  310. """
  311. if self.__secret__ is not None:
  312. self.__authentification_state__ = self.AUTH_STATE_SEED_REQUESTED
  313. logger.info("%s Requesting seed for authentification", self.LOG_PREFIX)
  314. self.send(self.SID_AUTH_SEED_REQUEST, 0, None)
  315. cnt = 0
  316. while cnt < timeout * 10:
  317. time.sleep(0.1)
  318. if self.__authentification_state__ == self.AUTH_STATE_TRUSTED_CLIENT:
  319. return True
  320. elif self.__authentification_state__ == self.AUTH_STATE_UNKNOWN_CLIENT:
  321. break
  322. cnt += 1
  323. return False
  324. def check_authentification_state(self):
  325. """
  326. :return: True, if authentification state is okay, otherwise False
  327. :rtype: bool
  328. """
  329. return self.__authentification_state__ == self.AUTH_STATE_TRUSTED_CLIENT
  330. def __authentificate_salt_and_hash__(self, seed):
  331. if sys.version_info >= (3, 0):
  332. return hashlib.sha512(bytes(seed, 'utf-8') + self.__secret__).hexdigest()
  333. else:
  334. return hashlib.sha512(seed.encode('utf-8') + self.__secret__.encode('utf-8')).hexdigest()
  335. def __authentificate_create_seed__(self, msg):
  336. logger.info("%s Got seed request, sending seed for authentification", self.LOG_PREFIX)
  337. self.__authentification_state__ = self.AUTH_STATE_SEED_TRANSFERRED
  338. if sys.version_info >= (3, 0):
  339. self.__seed__ = binascii.hexlify(os.urandom(32)).decode('utf-8')
  340. else:
  341. self.__seed__ = binascii.hexlify(os.urandom(32))
  342. return self.STATUS_OKAY, self.__seed__
  343. def __authentificate_create_key__(self, msg):
  344. logger.info("%s Got seed, sending key for authentification", self.LOG_PREFIX)
  345. self.__authentification_state__ = self.AUTH_STATE_KEY_TRANSFERRED
  346. seed = msg.get_data()
  347. key = self.__authentificate_salt_and_hash__(seed)
  348. return self.STATUS_OKAY, key
  349. def __authentificate_check_key__(self, msg):
  350. key = msg.get_data()
  351. if key == self.__authentificate_salt_and_hash__(self.__seed__):
  352. self.__authentification_state__ = self.AUTH_STATE_TRUSTED_CLIENT
  353. logger.info("%s Got correct key, sending positive authentification feedback", self.LOG_PREFIX)
  354. return self.STATUS_OKAY, True
  355. else:
  356. self.__authentification_state__ = self.AUTH_STATE_UNKNOWN_CLIENT
  357. logger.info("%s Got incorrect key, sending negative authentification feedback", self.LOG_PREFIX)
  358. return self.STATUS_OKAY, False
  359. def __authentificate_process_feedback__(self, msg):
  360. feedback = msg.get_data()
  361. if feedback:
  362. self.__authentification_state__ = self.AUTH_STATE_TRUSTED_CLIENT
  363. logger.info("%s Got positive authentification feedback", self.LOG_PREFIX)
  364. else:
  365. self.__authentification_state__ = self.AUTH_STATE_UNKNOWN_CLIENT
  366. logger.warning("%s Got negative authentification feedback", self.LOG_PREFIX)
  367. return self.STATUS_OKAY, None
  368. class pure_json_protocol(struct_json_protocol):
  369. """
  370. :param comm_instance: a communication instance supportin at least these functions: :func:`register_callback`, :func:`register_disconnect_callback`, :func:`send`.
  371. :type comm_instance: instance
  372. :param secret: A secret (e.g. created by ``binascii.hexlify(os.urandom(24))``).
  373. :type secret: str
  374. This communication protocol supports to transfer a Service-ID, Data-ID and Data.
  375. **Example:**
  376. Server:
  377. .. literalinclude:: ../../socket_protocol/_examples_/socket_protocol__pure_json_protocol_server.py
  378. .. literalinclude:: ../../socket_protocol/_examples_/socket_protocol__pure_json_protocol_server.log
  379. Client:
  380. .. literalinclude:: ../../socket_protocol/_examples_/socket_protocol__pure_json_protocol_client.py
  381. .. literalinclude:: ../../socket_protocol/_examples_/socket_protocol__pure_json_protocol_client.log
  382. """
  383. def __init__(self, comm_instance, secret=None):
  384. struct_json_protocol.__init__(self, comm_instance, secret)
  385. def __build_frame__(self, service_id, data_id, data, status=struct_json_protocol.STATUS_OKAY):
  386. data_frame = json.dumps(self.__mk_msg__(status, service_id, data_id, data))
  387. if sys.version_info >= (3, 0):
  388. data_frame = bytes(data_frame, 'utf-8')
  389. checksum = self.__calc_chksum__(data_frame)
  390. return data_frame + checksum
  391. def __analyse_frame__(self, frame):
  392. if sys.version_info >= (3, 0):
  393. return data_storage(json.loads(frame[:-4].decode('utf-8')))
  394. else:
  395. return data_storage(json.loads(frame[:-4]))
  396. def __calc_chksum__(self, raw_data):
  397. return struct.pack('>I', binascii.crc32(raw_data) & 0xffffffff)
  398. def __check_frame_checksum__(self, frame):
  399. return self.__calc_chksum__(frame[:-4]) == frame[-4:]