base.py 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403
  1. # -*- encoding: utf8 -*-
  2. #
  3. # The Qubes OS Project, http://www.qubes-os.org
  4. #
  5. # Copyright (C) 2017 Marek Marczykowski-Górecki
  6. # <marmarek@invisiblethingslab.com>
  7. #
  8. # This program is free software; you can redistribute it and/or modify
  9. # it under the terms of the GNU Lesser General Public License as published by
  10. # the Free Software Foundation; either version 2 of the License, or
  11. # (at your option) any later version.
  12. #
  13. # This program is distributed in the hope that it will be useful,
  14. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  15. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  16. # GNU Lesser General Public License for more details.
  17. #
  18. # You should have received a copy of the GNU Lesser General Public License along
  19. # with this program; if not, see <http://www.gnu.org/licenses/>.
  20. '''Base classes for managed objects'''
  21. import qubesadmin.exc
  22. DEFAULT = object()
  23. class PropertyHolder(object):
  24. '''A base class for object having properties retrievable using mgmt API.
  25. Warning: each (non-private) local attribute needs to be defined at class
  26. level, even if initialized in __init__; otherwise will be treated as
  27. property retrievable using mgmt call.
  28. '''
  29. #: a place for appropriate Qubes() object (QubesLocal or QubesRemote),
  30. # use None for self
  31. app = None
  32. def __init__(self, app, method_prefix, method_dest):
  33. #: appropriate Qubes() object (QubesLocal or QubesRemote), use None
  34. # for self
  35. self.app = app
  36. self._method_prefix = method_prefix
  37. self._method_dest = method_dest
  38. self._properties = None
  39. self._properties_help = None
  40. self._properties_cache = {}
  41. def qubesd_call(self, dest, method, arg=None, payload=None,
  42. payload_stream=None):
  43. '''
  44. Call into qubesd using appropriate mechanism. This method should be
  45. defined by a subclass.
  46. Only one of `payload` and `payload_stream` can be specified.
  47. :param dest: Destination VM name
  48. :param method: Full API method name ('admin...')
  49. :param arg: Method argument (if any)
  50. :param payload: Payload send to the method
  51. :param payload_stream: file-like object to read payload from
  52. :return: Data returned by qubesd (string)
  53. '''
  54. if dest is None:
  55. dest = self._method_dest
  56. # have the actual implementation at Qubes() instance
  57. if self.app:
  58. return self.app.qubesd_call(dest, method, arg, payload,
  59. payload_stream)
  60. raise NotImplementedError
  61. @staticmethod
  62. def _parse_qubesd_response(response_data):
  63. '''Parse response from qubesd.
  64. In case of success, return actual data. In case of error,
  65. raise appropriate exception.
  66. '''
  67. if response_data == b'':
  68. raise qubesadmin.exc.QubesDaemonNoResponseError(
  69. 'Got empty response from qubesd. See journalctl in dom0 for '
  70. 'details.')
  71. if response_data[0:2] == b'\x30\x00':
  72. return response_data[2:]
  73. if response_data[0:2] == b'\x32\x00':
  74. (_, exc_type, _traceback, format_string, args) = \
  75. response_data.split(b'\x00', 4)
  76. # drop last field because of terminating '\x00'
  77. args = [arg.decode() for arg in args.split(b'\x00')[:-1]]
  78. format_string = format_string.decode('utf-8')
  79. exc_type = exc_type.decode('ascii')
  80. try:
  81. exc_class = getattr(qubesadmin.exc, exc_type)
  82. except AttributeError:
  83. if exc_type.endswith('Error'):
  84. exc_class = __builtins__.get(exc_type,
  85. qubesadmin.exc.QubesException)
  86. else:
  87. exc_class = qubesadmin.exc.QubesException
  88. # TODO: handle traceback if given
  89. raise exc_class(format_string, *args)
  90. raise qubesadmin.exc.QubesDaemonCommunicationError(
  91. 'Invalid response format')
  92. def property_list(self):
  93. '''
  94. List available properties (their names).
  95. :return: list of strings
  96. '''
  97. if self._properties is None:
  98. properties_str = self.qubesd_call(
  99. self._method_dest,
  100. self._method_prefix + 'List',
  101. None,
  102. None)
  103. self._properties = properties_str.decode('ascii').splitlines()
  104. # TODO: make it somehow immutable
  105. return self._properties
  106. def property_help(self, name):
  107. '''
  108. Get description of a property.
  109. :return: property help text
  110. '''
  111. help_text = self.qubesd_call(
  112. self._method_dest,
  113. self._method_prefix + 'Help',
  114. name,
  115. None)
  116. return help_text.decode('ascii')
  117. def property_is_default(self, item):
  118. '''
  119. Check if given property have default value
  120. :param str item: name of property
  121. :return: bool
  122. '''
  123. if item.startswith('_'):
  124. raise AttributeError(item)
  125. # cached value
  126. if item in self._properties_cache:
  127. return self._properties_cache[item][0]
  128. # cached properties list
  129. if self._properties is not None and item not in self._properties:
  130. raise AttributeError(item)
  131. property_str = self.qubesd_call(
  132. self._method_dest,
  133. self._method_prefix + 'Get',
  134. item,
  135. None)
  136. is_default, value = self._deserialize_property(property_str)
  137. if self.app.cache_enabled:
  138. self._properties_cache[item] = (is_default, value)
  139. return is_default
  140. def property_get_default(self, item):
  141. '''
  142. Get default property value, regardless of the current value
  143. :param str item: name of property
  144. :return: default value
  145. '''
  146. if item.startswith('_'):
  147. raise AttributeError(item)
  148. property_str = self.qubesd_call(
  149. self._method_dest,
  150. self._method_prefix + 'GetDefault',
  151. item,
  152. None)
  153. if not property_str:
  154. raise AttributeError(item + ' has no default')
  155. (prop_type, value) = property_str.split(b' ', 1)
  156. return self._parse_type_value(prop_type, value)
  157. def clone_properties(self, src, proplist=None):
  158. '''Clone properties from other object.
  159. :param PropertyHolder src: source object
  160. :param list proplist: list of properties \
  161. (:py:obj:`None` or omit for all properties)
  162. '''
  163. if proplist is None:
  164. proplist = self.property_list()
  165. for prop in proplist:
  166. try:
  167. setattr(self, prop, getattr(src, prop))
  168. except AttributeError:
  169. continue
  170. def __getattr__(self, item):
  171. if item.startswith('_'):
  172. raise AttributeError(item)
  173. # cached value
  174. if item in self._properties_cache:
  175. value = self._properties_cache[item][1]
  176. if value is AttributeError:
  177. raise AttributeError(item)
  178. return value
  179. # cached properties list
  180. if self._properties is not None and item not in self._properties:
  181. raise AttributeError(item)
  182. try:
  183. property_str = self.qubesd_call(
  184. self._method_dest,
  185. self._method_prefix + 'Get',
  186. item,
  187. None)
  188. except qubesadmin.exc.QubesDaemonNoResponseError:
  189. raise qubesadmin.exc.QubesPropertyAccessError(item)
  190. is_default, value = self._deserialize_property(property_str)
  191. if self.app.cache_enabled:
  192. self._properties_cache[item] = (is_default, value)
  193. if value is AttributeError:
  194. raise AttributeError(item)
  195. return value
  196. def _deserialize_property(self, api_response):
  197. """
  198. Deserialize property.Get response format
  199. :param api_response: bytes, as retrieved from qubesd
  200. :return: tuple(is_default, value)
  201. """
  202. (default, prop_type, value) = api_response.split(b' ', 2)
  203. assert default.startswith(b'default=')
  204. is_default_str = default.split(b'=')[1]
  205. is_default = is_default_str.decode('ascii') == "True"
  206. value = self._parse_type_value(prop_type, value)
  207. return is_default, value
  208. def _parse_type_value(self, prop_type, value):
  209. '''
  210. Parse `type=... ...` qubesd response format. Return a value of
  211. appropriate type.
  212. :param bytes prop_type: 'type=...' part of the response (including
  213. `type=` prefix)
  214. :param bytes value: 'value' part of the response
  215. :return: parsed value
  216. '''
  217. # pylint: disable=too-many-return-statements
  218. prop_type = prop_type.decode('ascii')
  219. if not prop_type.startswith('type='):
  220. raise qubesadmin.exc.QubesDaemonCommunicationError(
  221. 'Invalid type prefix received: {}'.format(prop_type))
  222. (_, prop_type) = prop_type.split('=', 1)
  223. value = value.decode()
  224. if prop_type == 'str':
  225. return str(value)
  226. if prop_type == 'bool':
  227. if value == '':
  228. return AttributeError
  229. return value == "True"
  230. if prop_type == 'int':
  231. if value == '':
  232. return AttributeError
  233. return int(value)
  234. if prop_type == 'vm':
  235. if value == '':
  236. return None
  237. return self.app.domains.get_blind(value)
  238. if prop_type == 'label':
  239. if value == '':
  240. return None
  241. return self.app.labels.get_blind(value)
  242. raise qubesadmin.exc.QubesDaemonCommunicationError(
  243. 'Received invalid value type: {}'.format(prop_type))
  244. @classmethod
  245. def _local_properties(cls):
  246. '''
  247. Get set of property names that are properties on the Python object,
  248. and must not be set on the remote object
  249. '''
  250. if "_local_properties_set" not in cls.__dict__:
  251. props = set()
  252. for class_ in cls.__mro__:
  253. for key in class_.__dict__:
  254. props.add(key)
  255. cls._local_properties_set = props
  256. return cls._local_properties_set
  257. def __setattr__(self, key, value):
  258. if key.startswith('_') or key in self._local_properties():
  259. return super(PropertyHolder, self).__setattr__(key, value)
  260. if value is qubesadmin.DEFAULT:
  261. try:
  262. self.qubesd_call(
  263. self._method_dest,
  264. self._method_prefix + 'Reset',
  265. key,
  266. None)
  267. except qubesadmin.exc.QubesDaemonNoResponseError:
  268. raise qubesadmin.exc.QubesPropertyAccessError(key)
  269. else:
  270. if isinstance(value, qubesadmin.vm.QubesVM):
  271. value = value.name
  272. if value is None:
  273. value = ''
  274. try:
  275. self.qubesd_call(
  276. self._method_dest,
  277. self._method_prefix + 'Set',
  278. key,
  279. str(value).encode('utf-8'))
  280. except qubesadmin.exc.QubesDaemonNoResponseError:
  281. raise qubesadmin.exc.QubesPropertyAccessError(key)
  282. def __delattr__(self, name):
  283. if name.startswith('_') or name in self._local_properties():
  284. return super(PropertyHolder, self).__delattr__(name)
  285. try:
  286. self.qubesd_call(
  287. self._method_dest,
  288. self._method_prefix + 'Reset',
  289. name
  290. )
  291. except qubesadmin.exc.QubesDaemonNoResponseError:
  292. raise qubesadmin.exc.QubesPropertyAccessError(name)
  293. class WrapperObjectsCollection(object):
  294. '''Collection of simple named objects'''
  295. def __init__(self, app, list_method, object_class):
  296. '''
  297. Construct manager of named wrapper objects.
  298. :param app: Qubes() object
  299. :param list_method: name of API method used to list objects,
  300. must return simple "one name per line" list
  301. :param object_class: object class (callable) for wrapper objects,
  302. will be called with just two arguments: app and a name
  303. '''
  304. self.app = app
  305. self._list_method = list_method
  306. self._object_class = object_class
  307. #: names cache
  308. self._names_list = None
  309. #: returned objects cache
  310. self._objects = {}
  311. def clear_cache(self):
  312. '''Clear cached list of names'''
  313. self._names_list = None
  314. def refresh_cache(self, force=False):
  315. '''Refresh cached list of names'''
  316. if not force and self._names_list is not None:
  317. return
  318. list_data = self.app.qubesd_call('dom0', self._list_method)
  319. list_data = list_data.decode('ascii')
  320. assert list_data[-1] == '\n'
  321. self._names_list = [str(name) for name in list_data[:-1].splitlines()]
  322. for name, obj in list(self._objects.items()):
  323. if obj.name not in self._names_list:
  324. # Object no longer exists
  325. del self._objects[name]
  326. def __getitem__(self, item):
  327. if not self.app.blind_mode and item not in self:
  328. raise KeyError(item)
  329. return self.get_blind(item)
  330. def get_blind(self, item):
  331. '''
  332. Get a property without downloading the list
  333. and checking if it's present
  334. '''
  335. if item not in self._objects:
  336. self._objects[item] = self._object_class(self.app, item)
  337. return self._objects[item]
  338. def __contains__(self, item):
  339. self.refresh_cache()
  340. return item in self._names_list
  341. def __iter__(self):
  342. self.refresh_cache()
  343. for key in self._names_list:
  344. yield key
  345. def keys(self):
  346. '''Get list of names.'''
  347. self.refresh_cache()
  348. return list(self._names_list)
  349. def items(self):
  350. '''Get list of (key, value) pairs'''
  351. self.refresh_cache()
  352. return [(key, self.get_blind(key)) for key in self._names_list]
  353. def values(self):
  354. '''Get list of objects'''
  355. self.refresh_cache()
  356. return [self.get_blind(key) for key in self._names_list]