A clone of: https://github.com/nutechsoftware/alarmdecoder This is requires as they dropped support for older firmware releases w/o building in backward compatibility code, and they had previously hardcoded pyserial to a python2 only version.
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

356 lines
10 KiB

  1. """
  2. Provides zone tracking functionality for the `AlarmDecoder`_ (AD2) device family.
  3. .. _AlarmDecoder: http://www.alarmdecoder.com
  4. .. moduleauthor:: Scott Petersen <scott@nutech.com>
  5. """
  6. import re
  7. import time
  8. from .event import event
  9. from .messages import ExpanderMessage
  10. class Zone(object):
  11. """
  12. Representation of a panel zone.
  13. """
  14. # Constants
  15. CLEAR = 0
  16. """Status indicating that the zone is cleared."""
  17. FAULT = 1
  18. """Status indicating that the zone is faulted."""
  19. CHECK = 2 # Wire fault
  20. """Status indicating that there is a wiring issue with the zone."""
  21. STATUS = {CLEAR: 'CLEAR', FAULT: 'FAULT', CHECK: 'CHECK'}
  22. # Attributes
  23. zone = 0
  24. """Zone ID"""
  25. name = ''
  26. """Zone name"""
  27. status = CLEAR
  28. """Zone status"""
  29. timestamp = None
  30. """Timestamp of last update"""
  31. def __init__(self, zone=0, name='', status=CLEAR):
  32. """
  33. Constructor
  34. :param zone: zone number
  35. :type zone: int
  36. :param name: Human readable zone name
  37. :type name: string
  38. :param status: Initial zone state
  39. :type status: int
  40. """
  41. self.zone = zone
  42. self.name = name
  43. self.status = status
  44. self.timestamp = time.time()
  45. def __str__(self):
  46. """
  47. String conversion operator.
  48. """
  49. return 'Zone {0} {1}'.format(self.zone, self.name)
  50. def __repr__(self):
  51. """
  52. Human readable representation operator.
  53. """
  54. return 'Zone({0}, {1}, ts {2})'.format(self.zone, Zone.STATUS[self.status], self.timestamp)
  55. class Zonetracker(object):
  56. """
  57. Handles tracking of zones and their statuses.
  58. """
  59. on_fault = event.Event("This event is called when the device detects a zone fault.\n\n**Callback definition:** *def callback(device, zone)*")
  60. on_restore = event.Event("This event is called when the device detects that a fault is restored.\n\n**Callback definition:** *def callback(device, zone)*")
  61. EXPIRE = 30
  62. """Zone expiration timeout."""
  63. @property
  64. def zones(self):
  65. """
  66. Returns the current list of zones being tracked.
  67. :returns: dictionary of :py:class:`Zone` being tracked
  68. """
  69. return self._zones
  70. @zones.setter
  71. def zones(self, value):
  72. """
  73. Sets the current list of zones being tracked.
  74. :param value: new list of zones being tracked
  75. :type value: dictionary of :py:class:`Zone` being tracked
  76. """
  77. self._zones = value
  78. @property
  79. def faulted(self):
  80. """
  81. Retrieves the current list of faulted zones.
  82. :returns: list of faulted zones
  83. """
  84. return self._zones_faulted
  85. @faulted.setter
  86. def faulted(self, value):
  87. """
  88. Sets the current list of faulted zones.
  89. :param value: new list of faulted zones
  90. :type value: list of integers
  91. """
  92. self._zones_faulted = value
  93. def __init__(self):
  94. """
  95. Constructor
  96. """
  97. self._zones = {}
  98. self._zones_faulted = []
  99. self._last_zone_fault = 0
  100. def update(self, message):
  101. """
  102. Update zone statuses based on the current message.
  103. :param message: message to use to update the zone tracking
  104. :type message: :py:class:`~alarmdecoder.messages.Message` or :py:class:`~alarmdecoder.messages.ExpanderMessage`
  105. """
  106. if isinstance(message, ExpanderMessage):
  107. if message.type == ExpanderMessage.ZONE:
  108. zone = self.expander_to_zone(message.address, message.channel)
  109. status = Zone.CLEAR
  110. if message.value == 1:
  111. status = Zone.FAULT
  112. elif message.value == 2:
  113. status = Zone.CHECK
  114. # NOTE: Expander zone faults are handled differently than
  115. # regular messages. We don't include them in
  116. # self._zones_faulted because they are not reported
  117. # by the panel in it's rolling list of faults.
  118. try:
  119. self._update_zone(zone, status=status)
  120. except IndexError:
  121. self._add_zone(zone, status=status)
  122. else:
  123. # Panel is ready, restore all zones.
  124. #
  125. # NOTE: This will need to be updated to support panels with
  126. # multiple partitions. In it's current state a ready on
  127. # partition #1 will end up clearing all zones, even if they
  128. # exist elsewhere and it shouldn't.
  129. #
  130. # NOTE: SYSTEM messages provide inconsistent ready statuses. This
  131. # may need to be extended later for other panels.
  132. if message.ready and not message.text.startswith("SYSTEM"):
  133. for zone in self._zones_faulted:
  134. self._update_zone(zone, Zone.CLEAR)
  135. self._last_zone_fault = 0
  136. # Process fault
  137. elif message.check_zone or message.text.startswith("FAULT"):
  138. # Apparently this representation can be both base 10
  139. # or base 16, depending on where the message came
  140. # from.
  141. try:
  142. zone = int(message.numeric_code)
  143. except ValueError:
  144. zone = int(message.numeric_code, 16)
  145. # NOTE: Odd case for ECP failures. Apparently they report as
  146. # zone 191 (0xBF) regardless of whether or not the
  147. # 3-digit mode is enabled... so we have to pull it out
  148. # of the alpha message.
  149. if zone == 191:
  150. zone_regex = re.compile('^CHECK (\d+).*$')
  151. match = zone_regex.match(message.text)
  152. if match is None:
  153. return
  154. zone = match.group(1)
  155. # Add new zones and clear expired ones.
  156. if zone in self._zones_faulted:
  157. self._update_zone(zone)
  158. self._clear_zones(zone)
  159. else:
  160. status = Zone.FAULT
  161. if message.check_zone:
  162. status = Zone.CHECK
  163. self._add_zone(zone, status=status)
  164. self._zones_faulted.append(zone)
  165. self._zones_faulted.sort()
  166. # Save our spot for the next message.
  167. self._last_zone_fault = zone
  168. self._clear_expired_zones()
  169. def expander_to_zone(self, address, channel):
  170. """
  171. Convert an address and channel into a zone number.
  172. :param address: expander address
  173. :type address: int
  174. :param channel: channel
  175. :type channel: int
  176. :returns: zone number associated with an address and channel
  177. """
  178. # TODO: This is going to need to be reworked to support the larger
  179. # panels without fixed addressing on the expanders.
  180. idx = address - 7 # Expanders start at address 7.
  181. return address + channel + (idx * 7) + 1
  182. def _clear_zones(self, zone):
  183. """
  184. Clear all expired zones from our status list.
  185. :param zone: current zone being processed
  186. :type zone: int
  187. """
  188. cleared_zones = []
  189. found_last_faulted = found_current = at_end = False
  190. # First pass: Find our start spot.
  191. it = iter(self._zones_faulted)
  192. try:
  193. while not found_last_faulted:
  194. z = it.next()
  195. if z == self._last_zone_fault:
  196. found_last_faulted = True
  197. break
  198. except StopIteration:
  199. at_end = True
  200. # Continue until we find our end point and add zones in
  201. # between to our clear list.
  202. try:
  203. while not at_end and not found_current:
  204. z = it.next()
  205. if z == zone:
  206. found_current = True
  207. break
  208. else:
  209. cleared_zones += [z]
  210. except StopIteration:
  211. pass
  212. # Second pass: roll through the list again if we didn't find
  213. # our end point and remove everything until we do.
  214. if not found_current:
  215. it = iter(self._zones_faulted)
  216. try:
  217. while not found_current:
  218. z = it.next()
  219. if z == zone:
  220. found_current = True
  221. break
  222. else:
  223. cleared_zones += [z]
  224. except StopIteration:
  225. pass
  226. # Actually remove the zones and trigger the restores.
  227. for z in cleared_zones:
  228. self._update_zone(z, Zone.CLEAR)
  229. def _clear_expired_zones(self):
  230. """
  231. Update zone status for all expired zones.
  232. """
  233. zones = []
  234. for z in self._zones.keys():
  235. zones += [z]
  236. for z in zones:
  237. if self._zones[z].status != Zone.CLEAR and self._zone_expired(z):
  238. self._update_zone(z, Zone.CLEAR)
  239. def _add_zone(self, zone, name='', status=Zone.CLEAR):
  240. """
  241. Adds a zone to the internal zone list.
  242. :param zone: zone number
  243. :type zone: int
  244. :param name: human readable zone name
  245. :type name: string
  246. :param status: zone status
  247. :type status: int
  248. """
  249. if not zone in self._zones:
  250. self._zones[zone] = Zone(zone=zone, name=name, status=status)
  251. if status != Zone.CLEAR:
  252. self.on_fault(zone=zone)
  253. def _update_zone(self, zone, status=None):
  254. """
  255. Updates a zones status.
  256. :param zone: zone number
  257. :type zone: int
  258. :param status: zone status
  259. :type status: int
  260. :raises: IndexError
  261. """
  262. if not zone in self._zones:
  263. raise IndexError('Zone does not exist and cannot be updated: %d', zone)
  264. if status is not None:
  265. self._zones[zone].status = status
  266. self._zones[zone].timestamp = time.time()
  267. if status == Zone.CLEAR:
  268. if zone in self._zones_faulted:
  269. self._zones_faulted.remove(zone)
  270. self.on_restore(zone=zone)
  271. def _zone_expired(self, zone):
  272. """
  273. Determine if a zone is expired or not.
  274. :param zone: zone number
  275. :type zone: int
  276. :returns: whether or not the zone is expired
  277. """
  278. return time.time() > self._zones[zone].timestamp + Zonetracker.EXPIRE