__init__.py 19 KB

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