__init__.py 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526
  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 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 Virtual Machines
  24. '''
  25. import asyncio
  26. import re
  27. import string
  28. import lxml.etree
  29. import qubes
  30. import qubes.devices
  31. import qubes.events
  32. import qubes.log
  33. VM_ENTRY_POINT = 'qubes.vm'
  34. def validate_name(holder, prop, value):
  35. ''' Check if value is syntactically correct VM name '''
  36. if not isinstance(value, str):
  37. raise TypeError('VM name must be string, {!r} found'.format(
  38. type(value).__name__))
  39. if len(value) > 31:
  40. if holder is not None and prop is not None:
  41. raise qubes.exc.QubesPropertyValueError(holder, prop, value,
  42. '{} value must be shorter than 32 characters'.format(
  43. prop.__name__))
  44. else:
  45. raise qubes.exc.QubesValueError(
  46. 'VM name must be shorter than 32 characters')
  47. # this regexp does not contain '+'; if it had it, we should specifically
  48. # disallow 'lost+found' #1440
  49. if re.match(r"^[a-zA-Z][a-zA-Z0-9_-]*$", value) is None:
  50. if holder is not None and prop is not None:
  51. raise qubes.exc.QubesPropertyValueError(holder, prop, value,
  52. '{} value contains illegal characters'.format(prop.__name__))
  53. else:
  54. raise qubes.exc.QubesValueError(
  55. 'VM name contains illegal characters')
  56. if value in ('none', 'default'):
  57. raise qubes.exc.QubesValueError(
  58. 'VM name cannot be \'none\' nor \'default\'')
  59. class Features(dict):
  60. '''Manager of the features.
  61. Features can have three distinct values: no value (not present in mapping,
  62. which is closest thing to :py:obj:`None`), empty string (which is
  63. interpreted as :py:obj:`False`) and non-empty string, which is
  64. :py:obj:`True`. Anything assigned to the mapping is coerced to strings,
  65. however if you assign instances of :py:class:`bool`, they are converted as
  66. described above. Be aware that assigning the number `0` (which is considered
  67. false in Python) will result in string `'0'`, which is considered true.
  68. This class inherits from dict, but has most of the methods that manipulate
  69. the item disarmed (they raise NotImplementedError). The ones that are left
  70. fire appropriate events on the qube that owns an instance of this class.
  71. '''
  72. #
  73. # Those are the methods that affect contents. Either disarm them or make
  74. # them report appropriate events. Good approach is to rewrite them carefully
  75. # using official documentation, but use only our (overloaded) methods.
  76. #
  77. def __init__(self, vm, other=None, **kwargs):
  78. super(Features, self).__init__()
  79. self.vm = vm
  80. self.update(other, **kwargs)
  81. def __delitem__(self, key):
  82. super(Features, self).__delitem__(key)
  83. self.vm.fire_event('domain-feature-delete', feature=key)
  84. def __setitem__(self, key, value):
  85. if value is None or isinstance(value, bool):
  86. value = '1' if value else ''
  87. else:
  88. value = str(value)
  89. try:
  90. oldvalue = self[key]
  91. has_oldvalue = True
  92. except KeyError:
  93. has_oldvalue = False
  94. super(Features, self).__setitem__(key, value)
  95. if has_oldvalue:
  96. self.vm.fire_event('domain-feature-set', feature=key, value=value,
  97. oldvalue=oldvalue)
  98. else:
  99. self.vm.fire_event('domain-feature-set', feature=key, value=value)
  100. def clear(self):
  101. for key in tuple(self):
  102. del self[key]
  103. def pop(self, _key, _default=None):
  104. '''Not implemented
  105. :raises: NotImplementedError
  106. '''
  107. raise NotImplementedError()
  108. def popitem(self):
  109. '''Not implemented
  110. :raises: NotImplementedError
  111. '''
  112. raise NotImplementedError()
  113. def setdefault(self, _key, _default=None):
  114. '''Not implemented
  115. :raises: NotImplementedError
  116. '''
  117. raise NotImplementedError()
  118. def update(self, other=None, **kwargs):
  119. if other is not None:
  120. if hasattr(other, 'keys'):
  121. for key in other:
  122. self[key] = other[key]
  123. else:
  124. for key, value in other:
  125. self[key] = value
  126. for key in kwargs:
  127. self[key] = kwargs[key]
  128. #
  129. # end of overriding
  130. #
  131. _NO_DEFAULT = object()
  132. def check_with_template(self, feature, default=_NO_DEFAULT):
  133. ''' Check if the vm's template has the specified feature. '''
  134. if feature in self:
  135. return self[feature]
  136. if hasattr(self.vm, 'template') and self.vm.template is not None:
  137. return self.vm.template.features.check_with_template(feature,
  138. default)
  139. if default is self._NO_DEFAULT:
  140. raise KeyError(feature)
  141. return default
  142. class Tags(set):
  143. '''Manager of the tags.
  144. Tags are simple: tag either can be present on qube or not. Tag is a
  145. simple string consisting of ASCII alphanumeric characters, plus `_` and
  146. `-`.
  147. This class inherits from set, but has most of the methods that manipulate
  148. the item disarmed (they raise NotImplementedError). The ones that are left
  149. fire appropriate events on the qube that owns an instance of this class.
  150. '''
  151. #
  152. # Those are the methods that affect contents. Either disarm them or make
  153. # them report appropriate events. Good approach is to rewrite them carefully
  154. # using official documentation, but use only our (overloaded) methods.
  155. #
  156. def __init__(self, vm, seq=()):
  157. super(Tags, self).__init__()
  158. self.vm = vm
  159. self.update(seq)
  160. def clear(self):
  161. '''Remove all tags'''
  162. for item in tuple(self):
  163. self.remove(item)
  164. def symmetric_difference_update(self, *args, **kwargs):
  165. '''Not implemented
  166. :raises: NotImplementedError
  167. '''
  168. raise NotImplementedError()
  169. def intersection_update(self, *args, **kwargs):
  170. '''Not implemented
  171. :raises: NotImplementedError
  172. '''
  173. raise NotImplementedError()
  174. def pop(self):
  175. '''Not implemented
  176. :raises: NotImplementedError
  177. '''
  178. raise NotImplementedError()
  179. def discard(self, elem):
  180. '''Remove a tag if present'''
  181. if elem in self:
  182. self.remove(elem)
  183. def update(self, *others):
  184. '''Add tags from iterable(s)'''
  185. for other in others:
  186. for elem in other:
  187. self.add(elem)
  188. def add(self, elem):
  189. '''Add a tag'''
  190. allowed_chars = string.ascii_letters + string.digits + '_-'
  191. if any(i not in allowed_chars for i in elem):
  192. raise ValueError('Invalid character in tag')
  193. if elem in self:
  194. return
  195. super(Tags, self).add(elem)
  196. self.vm.fire_event('domain-tag-add', tag=elem)
  197. def remove(self, elem):
  198. '''Remove a tag'''
  199. super(Tags, self).remove(elem)
  200. self.vm.fire_event('domain-tag-delete', tag=elem)
  201. #
  202. # end of overriding
  203. #
  204. @staticmethod
  205. def validate_tag(tag):
  206. safe_set = string.ascii_letters + string.digits + '-_'
  207. assert all((x in safe_set) for x in tag)
  208. class BaseVM(qubes.PropertyHolder):
  209. '''Base class for all VMs
  210. :param app: Qubes application context
  211. :type app: :py:class:`qubes.Qubes`
  212. :param xml: xml node from which to deserialise
  213. :type xml: :py:class:`lxml.etree._Element` or :py:obj:`None`
  214. This class is responsible for serializing and deserialising machines and
  215. provides basic framework. It contains no management logic. For that, see
  216. :py:class:`qubes.vm.qubesvm.QubesVM`.
  217. '''
  218. # pylint: disable=no-member
  219. def __init__(self, app, xml, features=None, devices=None, tags=None,
  220. **kwargs):
  221. # pylint: disable=redefined-outer-name
  222. # self.app must be set before super().__init__, because some property
  223. # setters need working .app attribute
  224. #: mother :py:class:`qubes.Qubes` object
  225. self._qdb_watch_paths = set()
  226. self._qdb_connection_watch = None
  227. self.app = app
  228. super(BaseVM, self).__init__(xml, **kwargs)
  229. #: dictionary of features of this qube
  230. self.features = Features(self, features)
  231. #: :py:class:`DeviceManager` object keeping devices that are attached to
  232. #: this domain
  233. self.devices = devices or qubes.devices.DeviceManager(self)
  234. #: user-specified tags
  235. self.tags = Tags(self, tags or ())
  236. #: logger instance for logging messages related to this VM
  237. self.log = None
  238. #: storage volumes
  239. self.volumes = {}
  240. #: storage manager
  241. self.storage = None
  242. if hasattr(self, 'name'):
  243. self.init_log()
  244. def load_extras(self):
  245. # features
  246. for node in self.xml.xpath('./features/feature'):
  247. self.features[node.get('name')] = node.text
  248. # devices (pci, usb, ...)
  249. for parent in self.xml.xpath('./devices'):
  250. devclass = parent.get('class')
  251. for node in parent.xpath('./device'):
  252. options = {}
  253. for option in node.xpath('./option'):
  254. options[option.get('name')] = option.text
  255. device_assignment = qubes.devices.DeviceAssignment(
  256. self.app.domains[node.get('backend-domain')],
  257. node.get('id'),
  258. options,
  259. persistent=True
  260. )
  261. self.devices[devclass].load_persistent(device_assignment)
  262. # tags
  263. for node in self.xml.xpath('./tags/tag'):
  264. self.tags.add(node.get('name'))
  265. # SEE:1815 firewall, policy.
  266. def init_log(self):
  267. '''Initialise logger for this domain.'''
  268. self.log = qubes.log.get_vm_logger(self.name)
  269. def __xml__(self):
  270. element = lxml.etree.Element('domain')
  271. element.set('id', 'domain-' + str(self.qid))
  272. element.set('class', self.__class__.__name__)
  273. element.append(self.xml_properties())
  274. features = lxml.etree.Element('features')
  275. for feature in self.features:
  276. node = lxml.etree.Element('feature', name=feature)
  277. node.text = self.features[feature]
  278. features.append(node)
  279. element.append(features)
  280. for devclass in self.devices:
  281. devices = lxml.etree.Element('devices')
  282. devices.set('class', devclass)
  283. for device in self.devices[devclass].assignments(persistent=True):
  284. node = lxml.etree.Element('device')
  285. node.set('backend-domain', device.backend_domain.name)
  286. node.set('id', device.ident)
  287. for key, val in device.options.items():
  288. option_node = lxml.etree.Element('option')
  289. option_node.set('name', key)
  290. option_node.text = val
  291. node.append(option_node)
  292. devices.append(node)
  293. element.append(devices)
  294. tags = lxml.etree.Element('tags')
  295. for tag in self.tags:
  296. node = lxml.etree.Element('tag', name=tag)
  297. tags.append(node)
  298. element.append(tags)
  299. return element
  300. def __repr__(self):
  301. proprepr = []
  302. for prop in self.property_list():
  303. try:
  304. proprepr.append('{}={!s}'.format(
  305. prop.__name__, getattr(self, prop.__name__)))
  306. except AttributeError:
  307. continue
  308. return '<{} object at {:#x} {}>'.format(
  309. self.__class__.__name__, id(self), ' '.join(proprepr))
  310. #
  311. # xml serialising methods
  312. #
  313. def create_config_file(self):
  314. '''Create libvirt's XML domain config file
  315. '''
  316. domain_config = self.app.env.select_template([
  317. 'libvirt/xen/by-name/{}.xml'.format(self.name),
  318. 'libvirt/xen-user.xml',
  319. 'libvirt/xen-dist.xml',
  320. 'libvirt/xen.xml',
  321. ]).render(vm=self)
  322. return domain_config
  323. def watch_qdb_path(self, path):
  324. '''Add a QubesDB path to be watched.
  325. Each change to the path will cause `domain-qdb-change:path` event to be
  326. fired.
  327. You can call this method for example in response to
  328. `domain-init` and `domain-load` events.
  329. '''
  330. if path not in self._qdb_watch_paths:
  331. self._qdb_watch_paths.add(path)
  332. if self._qdb_connection_watch:
  333. self._qdb_connection_watch.watch(path)
  334. def _qdb_watch_reader(self, loop):
  335. '''Callback when self._qdb_connection_watch.watch_fd() FD is
  336. readable.
  337. Read reported event (watched path change) and fire appropriate event.
  338. '''
  339. import qubesdb # pylint: disable=import-error
  340. try:
  341. path = self._qdb_connection_watch.read_watch()
  342. for watched_path in self._qdb_watch_paths:
  343. if watched_path == path or (
  344. watched_path.endswith('/') and
  345. path.startswith(watched_path)):
  346. self.fire_event('domain-qdb-change:' + watched_path,
  347. path=path)
  348. except qubesdb.DisconnectedError:
  349. loop.remove_reader(self._qdb_connection_watch.watch_fd())
  350. self._qdb_connection_watch.close()
  351. self._qdb_connection_watch = None
  352. def start_qdb_watch(self, name, loop=None):
  353. '''Start watching QubesDB
  354. Calling this method in appropriate time is responsibility of child
  355. class.
  356. '''
  357. import qubesdb # pylint: disable=import-error
  358. self._qdb_connection_watch = qubesdb.QubesDB(name)
  359. if loop is None:
  360. loop = asyncio.get_event_loop()
  361. loop.add_reader(self._qdb_connection_watch.watch_fd(),
  362. self._qdb_watch_reader, loop)
  363. for path in self._qdb_watch_paths:
  364. self._qdb_connection_watch.watch(path)
  365. class VMProperty(qubes.property):
  366. '''Property that is referring to a VM
  367. :param type vmclass: class that returned VM is supposed to be instance of
  368. and all supported by :py:class:`property` with the exception of ``type`` \
  369. and ``setter``
  370. '''
  371. _none_value = ''
  372. def __init__(self, name, vmclass=BaseVM, allow_none=False,
  373. **kwargs):
  374. if 'type' in kwargs:
  375. raise TypeError(
  376. "'type' keyword parameter is unsupported in {}".format(
  377. self.__class__.__name__))
  378. if not issubclass(vmclass, BaseVM):
  379. raise TypeError(
  380. "'vmclass' should specify a subclass of qubes.vm.BaseVM")
  381. super(VMProperty, self).__init__(name,
  382. saver=(lambda self_, prop, value:
  383. self._none_value if value is None else value.name),
  384. **kwargs)
  385. self.vmclass = vmclass
  386. self.allow_none = allow_none
  387. def __set__(self, instance, value):
  388. if value is self.__class__.DEFAULT:
  389. self.__delete__(instance)
  390. return
  391. if value == self._none_value:
  392. value = None
  393. if value is None:
  394. if self.allow_none:
  395. super(VMProperty, self).__set__(instance, value)
  396. return
  397. else:
  398. raise ValueError(
  399. 'Property {!r} does not allow setting to {!r}'.format(
  400. self.__name__, value))
  401. app = instance if isinstance(instance, qubes.Qubes) else instance.app
  402. try:
  403. vm = app.domains[value]
  404. except KeyError:
  405. raise qubes.exc.QubesVMNotFoundError(value)
  406. if not isinstance(vm, self.vmclass):
  407. raise TypeError('wrong VM class: domains[{!r}] is of type {!s} '
  408. 'and not {!s}'.format(value,
  409. vm.__class__.__name__,
  410. self.vmclass.__name__))
  411. super(VMProperty, self).__set__(instance, vm)
  412. def sanitize(self, *, untrusted_newvalue):
  413. try:
  414. untrusted_vmname = untrusted_newvalue.decode('ascii')
  415. except UnicodeDecodeError:
  416. raise qubes.exc.QubesValueError
  417. if untrusted_vmname == '':
  418. # allow empty VM name for setting VMProperty value, because it's
  419. # string representation of None (see self._none_value)
  420. return untrusted_vmname
  421. validate_name(None, self, untrusted_vmname)
  422. return untrusted_vmname
  423. def setter_label(self, prop, value):
  424. ''' Helper for setting the domain label '''
  425. # pylint: disable=unused-argument
  426. if isinstance(value, qubes.Label):
  427. return value
  428. if isinstance(value, str) and value.startswith('label-'):
  429. return self.app.labels[int(value.split('-', 1)[1])]
  430. return self.app.get_label(value)