events.py 5.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187
  1. #!/usr/bin/python2 -O
  2. # vim: fileencoding=utf-8
  3. #
  4. # The Qubes OS Project, https://www.qubes-os.org/
  5. #
  6. # Copyright (C) 2014-2015 Joanna Rutkowska <joanna@invisiblethingslab.com>
  7. # Copyright (C) 2014-2015 Wojtek Porczyk <woju@invisiblethingslab.com>
  8. #
  9. # This program is free software; you can redistribute it and/or modify
  10. # it under the terms of the GNU General Public License as published by
  11. # the Free Software Foundation; either version 2 of the License, or
  12. # (at your option) any later version.
  13. #
  14. # This program is distributed in the hope that it will be useful,
  15. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  16. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  17. # GNU General Public License for more details.
  18. #
  19. # You should have received a copy of the GNU General Public License along
  20. # with this program; if not, write to the Free Software Foundation, Inc.,
  21. # 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
  22. #
  23. '''Qubes events.
  24. Events are fired when something happens, like VM start or stop, property change
  25. etc.
  26. '''
  27. import collections
  28. def handler(*events):
  29. '''Event handler decorator factory.
  30. To hook an event, decorate a method in your plugin class with this
  31. decorator.
  32. It probably makes no sense to specify more than one handler for specific
  33. event in one class, because handlers are not run concurrently and there is
  34. no guarantee of the order of execution.
  35. .. note::
  36. For hooking events from extensions, see :py:func:`qubes.ext.handler`.
  37. :param str event: event type
  38. '''
  39. def decorator(func):
  40. # pylint: disable=missing-docstring
  41. func.ha_events = events
  42. # mark class own handler (i.e. not from extension)
  43. func.ha_bound = True
  44. return func
  45. return decorator
  46. def ishandler(obj):
  47. '''Test if a method is hooked to an event.
  48. :param object o: suspected hook
  49. :return: :py:obj:`True` when function is a hook, :py:obj:`False` otherwise
  50. :rtype: bool
  51. '''
  52. return callable(obj) \
  53. and hasattr(obj, 'ha_events')
  54. class EmitterMeta(type):
  55. '''Metaclass for :py:class:`Emitter`'''
  56. def __init__(cls, name, bases, dict_):
  57. super(EmitterMeta, cls).__init__(name, bases, dict_)
  58. cls.__handlers__ = collections.defaultdict(set)
  59. try:
  60. propnames = set(prop.__name__ for prop in cls.property_list())
  61. except AttributeError:
  62. propnames = set()
  63. for attr in dict_:
  64. if attr in propnames:
  65. # we have to be careful, not to getattr() on properties which
  66. # may be unset
  67. continue
  68. attr = dict_[attr]
  69. if not ishandler(attr):
  70. continue
  71. for event in attr.ha_events:
  72. cls.add_handler(event, attr)
  73. class Emitter(object):
  74. '''Subject that can emit events.
  75. By default all events are disabled not to interfere with loading from XML.
  76. To enable event dispatch, set :py:attr:`events_enabled` to :py:obj:`True`.
  77. '''
  78. __metaclass__ = EmitterMeta
  79. def __init__(self, *args, **kwargs):
  80. super(Emitter, self).__init__(*args, **kwargs)
  81. if not hasattr(self, 'events_enabled'):
  82. self.events_enabled = False
  83. @classmethod
  84. def add_handler(cls, event, func):
  85. '''Add event handler to subject's class.
  86. :param str event: event identificator
  87. :param collections.Callable handler: handler callable
  88. '''
  89. # pylint: disable=no-member
  90. cls.__handlers__[event].add(func)
  91. def _fire_event_in_order(self, order, event, *args, **kwargs):
  92. '''Fire event for classes in given order.
  93. Do not use this method. Use :py:meth:`fire_event` or
  94. :py:meth:`fire_event_pre`.
  95. '''
  96. if not self.events_enabled:
  97. return []
  98. effects = []
  99. for cls in order:
  100. if not hasattr(cls, '__handlers__'):
  101. continue
  102. for func in sorted(cls.__handlers__[event],
  103. key=(lambda handler: hasattr(handler, 'ha_bound')),
  104. reverse=True):
  105. effect = func(self, event, *args, **kwargs)
  106. if effect is not None:
  107. effects.extend(effect)
  108. return effects
  109. def fire_event(self, event, *args, **kwargs):
  110. '''Call all handlers for an event.
  111. Handlers are called for class and all parent classess, in **reversed**
  112. method resolution order. For each class first are called bound handlers
  113. (specified in class definition), then handlers from extensions. Aside
  114. from above, remaining order is undefined.
  115. .. seealso::
  116. :py:meth:`fire_event_pre`
  117. :param str event: event identificator
  118. :returns: list of effects
  119. All *args* and *kwargs* are passed verbatim. They are different for
  120. different events.
  121. '''
  122. return self._fire_event_in_order(reversed(self.__class__.__mro__),
  123. event, *args, **kwargs)
  124. def fire_event_pre(self, event, *args, **kwargs):
  125. '''Call all handlers for an event.
  126. Handlers are called for class and all parent classess, in **true**
  127. method resolution order. This is intended for ``-pre-`` events, where
  128. order of invocation should be reversed.
  129. .. seealso::
  130. :py:meth:`fire_event`
  131. :param str event: event identificator
  132. :returns: list of effects
  133. All *args* and *kwargs* are passed verbatim. They are different for
  134. different events.
  135. '''
  136. return self._fire_event_in_order(self.__class__.__mro__,
  137. event, *args, **kwargs)