__init__.py 23 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716
  1. #
  2. # The Qubes OS Project, https://www.qubes-os.org/
  3. #
  4. # Copyright (C) 2010-2015 Joanna Rutkowska <joanna@invisiblethingslab.com>
  5. # Copyright (C) 2011-2015 Marek Marczykowski-Górecki
  6. # <marmarek@invisiblethingslab.com>
  7. # Copyright (C) 2014-2015 Wojtek Porczyk <woju@invisiblethingslab.com>
  8. #
  9. # This library is free software; you can redistribute it and/or
  10. # modify it under the terms of the GNU Lesser General Public
  11. # License as published by the Free Software Foundation; either
  12. # version 2.1 of the License, or (at your option) any later version.
  13. #
  14. # This library 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 GNU
  17. # Lesser General Public License for more details.
  18. #
  19. # You should have received a copy of the GNU Lesser General Public
  20. # License along with this library; if not, see <https://www.gnu.org/licenses/>.
  21. #
  22. '''
  23. Qubes OS
  24. :copyright: © 2010-2015 Invisible Things Lab
  25. '''
  26. import builtins
  27. import collections
  28. import os
  29. import os.path
  30. import string
  31. import lxml.etree
  32. import qubes.config
  33. import qubes.events
  34. import qubes.exc
  35. __author__ = 'Invisible Things Lab'
  36. __license__ = 'GPLv2 or later'
  37. __version__ = 'R3'
  38. class Label(object):
  39. '''Label definition for virtual machines
  40. Label specifies colour of the padlock displayed next to VM's name.
  41. When this is a :py:class:`qubes.vm.dispvm.DispVM`, padlock is overlayed
  42. with recycling pictogram.
  43. :param int index: numeric identificator of label
  44. :param str color: colour specification as in HTML (``#abcdef``)
  45. :param str name: label's name like "red" or "green"
  46. '''
  47. def __init__(self, index, color, name):
  48. #: numeric identificator of label
  49. self.index = index
  50. #: colour specification as in HTML (``#abcdef``)
  51. self.color = color
  52. #: label's name like "red" or "green"
  53. self.name = name
  54. #: freedesktop icon name, suitable for use in
  55. #: :py:meth:`PyQt4.QtGui.QIcon.fromTheme`
  56. self.icon = 'appvm-' + name
  57. #: freedesktop icon name, suitable for use in
  58. #: :py:meth:`PyQt4.QtGui.QIcon.fromTheme` on DispVMs
  59. self.icon_dispvm = 'dispvm-' + name
  60. @classmethod
  61. def fromxml(cls, xml):
  62. '''Create label definition from XML node
  63. :param lxml.etree._Element xml: XML node reference
  64. :rtype: :py:class:`qubes.Label`
  65. '''
  66. index = int(xml.get('id').split('-', 1)[1])
  67. color = xml.get('color')
  68. name = xml.text
  69. return cls(index, color, name)
  70. def __xml__(self):
  71. element = lxml.etree.Element(
  72. 'label', id='label-{}'.format(self.index), color=self.color)
  73. element.text = self.name
  74. return element
  75. def __str__(self):
  76. return self.name
  77. def __repr__(self):
  78. return '{}({!r}, {!r}, {!r})'.format(
  79. self.__class__.__name__,
  80. self.index,
  81. self.color,
  82. self.name)
  83. def __eq__(self, other):
  84. if isinstance(other, Label):
  85. return self.name == other.name
  86. return NotImplemented
  87. def __hash__(self):
  88. return hash(self.name)
  89. @builtins.property
  90. def icon_path(self):
  91. '''Icon path
  92. .. deprecated:: 2.0
  93. use :py:meth:`PyQt4.QtGui.QIcon.fromTheme` and :py:attr:`icon`
  94. '''
  95. return os.path.join(qubes.config.system_path['qubes_icon_dir'],
  96. self.icon) + ".png"
  97. @builtins.property
  98. def icon_path_dispvm(self):
  99. '''Icon path
  100. .. deprecated:: 2.0
  101. use :py:meth:`PyQt4.QtGui.QIcon.fromTheme` and :py:attr:`icon_dispvm`
  102. '''
  103. return os.path.join(qubes.config.system_path['qubes_icon_dir'],
  104. self.icon_dispvm) + ".png"
  105. class property(object): # pylint: disable=redefined-builtin,invalid-name
  106. '''Qubes property.
  107. This class holds one property that can be saved to and loaded from
  108. :file:`qubes.xml`. It is used for both global and per-VM properties.
  109. Property can be unset by ordinary ``del`` statement or assigning
  110. :py:attr:`DEFAULT` special value to it. After deletion (or before first
  111. assignment/load) attempting to read a property will get its default value
  112. or, when no default, py:class:`exceptions.AttributeError`.
  113. :param str name: name of the property
  114. :param collections.Callable setter: if not :py:obj:`None`, this is used to \
  115. initialise value; first parameter to the function is holder instance \
  116. and the second is value; this is called before ``type``
  117. :param collections.Callable saver: function to coerce value to something \
  118. readable by setter
  119. :param type type: if not :py:obj:`None`, value is coerced to this type
  120. :param object default: default value; if callable, will be called with \
  121. holder as first argument
  122. :param int load_stage: stage when property should be loaded (see \
  123. :py:class:`Qubes` for description of stages)
  124. :param int order: order of evaluation (bigger order values are later)
  125. :param bool clone: :py:meth:`PropertyHolder.clone_properties` will not \
  126. include this property by default if :py:obj:`False`
  127. :param str doc: docstring; this should be one paragraph of plain RST, no \
  128. sphinx-specific features
  129. Setters and savers have following signatures:
  130. .. :py:function:: setter(self, prop, value)
  131. :noindex:
  132. :param self: instance of object that is holding property
  133. :param prop: property object
  134. :param value: value being assigned
  135. .. :py:function:: saver(self, prop, value)
  136. :noindex:
  137. :param self: instance of object that is holding property
  138. :param prop: property object
  139. :param value: value being saved
  140. :rtype: str
  141. :raises property.DontSave: when property should not be saved at all
  142. '''
  143. #: Assigning this value to property means setting it to its default value.
  144. #: If property has no default value, this will unset it.
  145. DEFAULT = object()
  146. # internal use only
  147. _NO_DEFAULT = object()
  148. def __init__(self, name, setter=None, saver=None, type=None,
  149. default=_NO_DEFAULT, write_once=False, load_stage=2, order=0,
  150. save_via_ref=False, clone=True,
  151. doc=None):
  152. # pylint: disable=redefined-builtin
  153. self.__name__ = name
  154. self._setter = setter
  155. self._saver = saver if saver is not None else (
  156. lambda self, prop, value: str(value))
  157. self.type = type
  158. self._default = default
  159. self._write_once = write_once
  160. self.order = order
  161. self.load_stage = load_stage
  162. self.save_via_ref = save_via_ref
  163. self.clone = clone
  164. self.__doc__ = doc
  165. self._attr_name = '_qubesprop_' + name
  166. def __get__(self, instance, owner):
  167. if instance is None:
  168. return self
  169. # XXX this violates duck typing, shall we keep it?
  170. if not isinstance(instance, PropertyHolder):
  171. raise AttributeError('qubes.property should be used on '
  172. 'qubes.PropertyHolder instances only')
  173. try:
  174. return getattr(instance, self._attr_name)
  175. except AttributeError:
  176. if self._default is self._NO_DEFAULT:
  177. raise AttributeError(
  178. 'property {!r} not set'.format(self.__name__))
  179. elif isinstance(self._default, collections.Callable):
  180. return self._default(instance)
  181. else:
  182. return self._default
  183. def __set__(self, instance, value):
  184. self._enforce_write_once(instance)
  185. if value is self.__class__.DEFAULT:
  186. self.__delete__(instance)
  187. return
  188. try:
  189. oldvalue = getattr(instance, self.__name__)
  190. has_oldvalue = True
  191. except AttributeError:
  192. has_oldvalue = False
  193. if self._setter is not None:
  194. value = self._setter(instance, self, value)
  195. if self.type not in (None, type(value)):
  196. value = self.type(value)
  197. if has_oldvalue:
  198. instance.fire_event('property-pre-set:' + self.__name__,
  199. pre_event=True,
  200. name=self.__name__, newvalue=value, oldvalue=oldvalue)
  201. else:
  202. instance.fire_event('property-pre-set:' + self.__name__,
  203. pre_event=True,
  204. name=self.__name__, newvalue=value)
  205. instance._property_init(self, value) # pylint: disable=protected-access
  206. if has_oldvalue:
  207. instance.fire_event('property-set:' + self.__name__,
  208. name=self.__name__, newvalue=value, oldvalue=oldvalue)
  209. else:
  210. instance.fire_event('property-set:' + self.__name__,
  211. name=self.__name__, newvalue=value)
  212. def __delete__(self, instance):
  213. self._enforce_write_once(instance)
  214. try:
  215. oldvalue = getattr(instance, self._attr_name)
  216. has_oldvalue = True
  217. except AttributeError:
  218. has_oldvalue = False
  219. if has_oldvalue:
  220. instance.fire_event('property-pre-del:' + self.__name__,
  221. pre_event=True,
  222. name=self.__name__, oldvalue=oldvalue)
  223. delattr(instance, self._attr_name)
  224. instance.fire_event('property-del:' + self.__name__,
  225. name=self.__name__, oldvalue=oldvalue)
  226. else:
  227. instance.fire_event('property-pre-del:' + self.__name__,
  228. pre_event=True,
  229. name=self.__name__)
  230. instance.fire_event('property-del:' + self.__name__,
  231. name=self.__name__)
  232. def __repr__(self):
  233. default = ' default={!r}'.format(self._default) \
  234. if self._default is not self._NO_DEFAULT \
  235. else ''
  236. return '<{} object at {:#x} name={!r}{}>'.format(
  237. self.__class__.__name__, id(self), self.__name__, default)
  238. def __str__(self):
  239. return self.__name__
  240. def __hash__(self):
  241. return hash(self.__name__)
  242. def __lt__(self, other):
  243. if isinstance(other, property):
  244. return (self.load_stage, self.order, self.__name__) <\
  245. (other.load_stage, other.order, other.__name__)
  246. return NotImplemented
  247. def __eq__(self, other):
  248. if isinstance(other, str):
  249. return self.__name__ == other
  250. return isinstance(other, property) and self.__name__ == other.__name__
  251. def _enforce_write_once(self, instance):
  252. if self._write_once and not instance.property_is_default(self):
  253. raise AttributeError(
  254. 'property {!r} is write-once and already set'.format(
  255. self.__name__))
  256. def sanitize(self, *, untrusted_newvalue):
  257. '''Coarse sanitization of value to be set, before sending it to a
  258. setter. Can raise QubesValueError if the value is invalid.
  259. :param untrusted_newvalue: value to be validated
  260. :return: sanitized value
  261. :raises: qubes.exc.QubesValueError
  262. '''
  263. # do not treat type='str' as sufficient validation
  264. if self.type is not None and self.type is not str:
  265. # assume specific type will preform enough validation
  266. try:
  267. untrusted_newvalue = untrusted_newvalue.decode('ascii',
  268. errors='strict')
  269. except UnicodeDecodeError:
  270. raise qubes.exc.QubesValueError
  271. if self.type is bool:
  272. return self.bool(None, None, untrusted_newvalue)
  273. else:
  274. try:
  275. return self.type(untrusted_newvalue)
  276. except ValueError:
  277. raise qubes.exc.QubesValueError
  278. else:
  279. # 'str' or not specified type
  280. try:
  281. untrusted_newvalue = untrusted_newvalue.decode('ascii',
  282. errors='strict')
  283. except UnicodeDecodeError:
  284. raise qubes.exc.QubesValueError
  285. allowed_set = string.printable
  286. if not all(x in allowed_set for x in untrusted_newvalue):
  287. raise qubes.exc.QubesValueError(
  288. 'Invalid characters in property value')
  289. return untrusted_newvalue
  290. #
  291. # exceptions
  292. #
  293. class DontSave(Exception):
  294. '''This exception may be raised from saver to sign that property should
  295. not be saved.
  296. '''
  297. pass
  298. @staticmethod
  299. def dontsave(self, prop, value):
  300. '''Dummy saver that never saves anything.'''
  301. # pylint: disable=bad-staticmethod-argument,unused-argument
  302. raise property.DontSave()
  303. #
  304. # some setters provided
  305. #
  306. @staticmethod
  307. def forbidden(self, prop, value):
  308. '''Property setter that forbids loading a property.
  309. This is used to effectively disable property in classes which inherit
  310. unwanted property. When someone attempts to load such a property, it
  311. :throws AttributeError: always
  312. ''' # pylint: disable=bad-staticmethod-argument,unused-argument
  313. raise AttributeError(
  314. 'setting {} property on {} instance is forbidden'.format(
  315. prop.__name__, self.__class__.__name__))
  316. @staticmethod
  317. def bool(self, prop, value):
  318. '''Property setter for boolean properties.
  319. It accepts (case-insensitive) ``'0'``, ``'no'`` and ``false`` as
  320. :py:obj:`False` and ``'1'``, ``'yes'`` and ``'true'`` as
  321. :py:obj:`True`.
  322. ''' # pylint: disable=bad-staticmethod-argument,unused-argument
  323. if isinstance(value, str):
  324. lcvalue = value.lower()
  325. if lcvalue in ('0', 'no', 'false', 'off'):
  326. return False
  327. if lcvalue in ('1', 'yes', 'true', 'on'):
  328. return True
  329. raise qubes.exc.QubesValueError(
  330. 'Invalid literal for boolean property: {!r}'.format(value))
  331. return bool(value)
  332. def stateless_property(func):
  333. '''Decorator similar to :py:class:`builtins.property`, but for properties
  334. exposed through management API (including qvm-prefs etc)'''
  335. return property(func.__name__,
  336. setter=property.forbidden,
  337. saver=property.DontSave,
  338. default=func,
  339. doc=func.__doc__)
  340. class PropertyHolder(qubes.events.Emitter):
  341. '''Abstract class for holding :py:class:`qubes.property`
  342. Events fired by instances of this class:
  343. .. event:: property-load (subject, event)
  344. Fired once after all properties are loaded from XML. Individual
  345. ``property-set`` events are not fired.
  346. .. event:: property-set:<propname> \
  347. (subject, event, name, newvalue[, oldvalue])
  348. Fired when property changes state. Signature is variable,
  349. *oldvalue* is present only if there was an old value.
  350. :param name: Property name
  351. :param newvalue: New value of the property
  352. :param oldvalue: Old value of the property
  353. .. event:: property-pre-set:<propname> \
  354. (subject, event, name, newvalue[, oldvalue])
  355. Fired before property changes state. Signature is variable,
  356. *oldvalue* is present only if there was an old value.
  357. :param name: Property name
  358. :param newvalue: New value of the property
  359. :param oldvalue: Old value of the property
  360. .. event:: property-del:<propname> \
  361. (subject, event, name[, oldvalue])
  362. Fired when property gets deleted (is set to default). Signature is
  363. variable, *oldvalue* is present only if there was an old value.
  364. :param name: Property name
  365. :param oldvalue: Old value of the property
  366. .. event:: property-pre-del:<propname> \
  367. (subject, event, name[, oldvalue])
  368. Fired before property gets deleted (is set to default). Signature
  369. is variable, *oldvalue* is present only if there was an old value.
  370. :param name: Property name
  371. :param oldvalue: Old value of the property
  372. .. event:: clone-properties (subject, event, src, proplist)
  373. :param src: object, from which we are cloning
  374. :param proplist: list of properties
  375. Members:
  376. '''
  377. def __init__(self, xml, **kwargs):
  378. self.xml = xml
  379. propvalues = {}
  380. all_names = set(prop.__name__ for prop in self.property_list())
  381. for key in list(kwargs):
  382. if not key in all_names:
  383. continue
  384. propvalues[key] = kwargs.pop(key)
  385. super(PropertyHolder, self).__init__(**kwargs)
  386. for key, value in propvalues.items():
  387. setattr(self, key, value)
  388. if self.xml is not None:
  389. # check if properties are appropriate
  390. all_names = set(prop.__name__ for prop in self.property_list())
  391. for node in self.xml.xpath('./properties/property'):
  392. name = node.get('name')
  393. if name not in all_names:
  394. raise TypeError(
  395. 'property {!r} not applicable to {!r}'.format(
  396. name, self.__class__.__name__))
  397. @classmethod
  398. def property_list(cls, load_stage=None):
  399. '''List all properties attached to this VM's class
  400. :param load_stage: Filter by load stage
  401. :type load_stage: :py:func:`int` or :py:obj:`None`
  402. '''
  403. props = set()
  404. for class_ in cls.__mro__:
  405. props.update(prop for prop in class_.__dict__.values()
  406. if isinstance(prop, property))
  407. if load_stage is not None:
  408. props = set(prop for prop in props
  409. if prop.load_stage == load_stage)
  410. return sorted(props)
  411. def _property_init(self, prop, value):
  412. '''Initialise property to a given value, without side effects.
  413. :param qubes.property prop: property object of particular interest
  414. :param value: value
  415. '''
  416. # pylint: disable=protected-access
  417. setattr(self, self.property_get_def(prop)._attr_name, value)
  418. def property_is_default(self, prop):
  419. '''Check whether property is in it's default value.
  420. Properties when unset may return some default value, so
  421. ``hasattr(vm, prop.__name__)`` is wrong in some circumstances. This
  422. method allows for checking if the value returned is in fact it's
  423. default value.
  424. :param qubes.property prop: property object of particular interest
  425. :rtype: bool
  426. ''' # pylint: disable=protected-access
  427. # both property_get_def() and ._attr_name may throw AttributeError,
  428. # which we don't want to catch
  429. attrname = self.property_get_def(prop)._attr_name
  430. return not hasattr(self, attrname)
  431. @classmethod
  432. def property_get_def(cls, prop):
  433. '''Return property definition object.
  434. If prop is already :py:class:`qubes.property` instance, return the same
  435. object.
  436. :param prop: property object or name
  437. :type prop: qubes.property or str
  438. :rtype: qubes.property
  439. '''
  440. if isinstance(prop, qubes.property):
  441. return prop
  442. for p in cls.property_list():
  443. if p.__name__ == prop:
  444. return p
  445. raise AttributeError('No property {!r} found in {!r}'.format(
  446. prop, cls))
  447. def load_properties(self, load_stage=None):
  448. '''Load properties from immediate children of XML node.
  449. ``property-set`` events are not fired for each individual property.
  450. :param int load_stage: Stage of loading.
  451. '''
  452. if self.xml is None:
  453. return
  454. all_names = set(
  455. prop.__name__ for prop in self.property_list(load_stage))
  456. for node in self.xml.xpath('./properties/property'):
  457. name = node.get('name')
  458. value = node.get('ref') or node.text
  459. if not name in all_names:
  460. continue
  461. setattr(self, name, value)
  462. def xml_properties(self, with_defaults=False):
  463. '''Iterator that yields XML nodes representing set properties.
  464. :param bool with_defaults: If :py:obj:`True`, then it also includes \
  465. properties which were not set explicite, but have default values \
  466. filled.
  467. '''
  468. properties = lxml.etree.Element('properties')
  469. for prop in self.property_list():
  470. # pylint: disable=protected-access
  471. try:
  472. value = getattr(
  473. self, (prop.__name__ if with_defaults else prop._attr_name))
  474. except AttributeError:
  475. continue
  476. try:
  477. value = prop._saver(self, prop, value)
  478. except property.DontSave:
  479. continue
  480. element = lxml.etree.Element('property', name=prop.__name__)
  481. if prop.save_via_ref:
  482. element.set('ref', value)
  483. else:
  484. element.text = value
  485. properties.append(element)
  486. return properties
  487. # this was clone_attrs
  488. def clone_properties(self, src, proplist=None):
  489. '''Clone properties from other object.
  490. :param PropertyHolder src: source object
  491. :param iterable proplist: list of properties \
  492. (:py:obj:`None` or omit for all properties except those with \
  493. :py:attr:`property.clone` set to :py:obj:`False`)
  494. '''
  495. if proplist is None:
  496. proplist = [prop for prop in self.property_list()
  497. if prop.clone]
  498. else:
  499. proplist = [prop for prop in self.property_list()
  500. if prop.__name__ in proplist or prop in proplist]
  501. for prop in proplist:
  502. try:
  503. # pylint: disable=protected-access
  504. self._property_init(prop, getattr(src, prop._attr_name))
  505. except AttributeError:
  506. continue
  507. self.fire_event('clone-properties', src=src, proplist=proplist)
  508. def property_require(self, prop, allow_none=False, hard=False):
  509. '''Complain badly when property is not set.
  510. :param prop: property name or object
  511. :type prop: qubes.property or str
  512. :param bool allow_none: if :py:obj:`True`, don't complain if \
  513. :py:obj:`None` is found
  514. :param bool hard: if :py:obj:`True`, raise :py:class:`AssertionError`; \
  515. if :py:obj:`False`, log warning instead
  516. '''
  517. if isinstance(prop, qubes.property):
  518. prop = prop.__name__
  519. try:
  520. value = getattr(self, prop)
  521. if value is None and not allow_none:
  522. raise AttributeError()
  523. except AttributeError:
  524. # pylint: disable=no-member
  525. msg = 'Required property {!r} not set on {!r}'.format(prop, self)
  526. if hard:
  527. raise AssertionError(msg)
  528. else:
  529. # pylint: disable=no-member
  530. self.log.fatal(msg)
  531. def close(self):
  532. super().close()
  533. # Remove all properties -- somewhere in them there are cyclic
  534. # references. This just removes all the properties, just in case.
  535. # They are removed directly, bypassing write_once.
  536. for prop in self.property_list():
  537. # pylint: disable=protected-access
  538. try:
  539. delattr(self, prop._attr_name)
  540. except AttributeError:
  541. pass
  542. # pylint: disable=wrong-import-position
  543. from qubes.vm import VMProperty
  544. from qubes.app import Qubes
  545. __all__ = [
  546. 'Label',
  547. 'PropertyHolder',
  548. 'Qubes',
  549. 'VMProperty',
  550. 'property',
  551. ]