Python Library Socket Protocol
Du kan inte välja fler än 25 ämnen Ämnen måste starta med en bokstav eller siffra, kan innehålla bindestreck ('-') och vara max 35 tecken långa.

__init__.py 23KB

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