ldp.py 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696
  1. import logging
  2. from collections import defaultdict
  3. from pprint import pformat
  4. from functools import wraps
  5. from uuid import uuid4
  6. import arrow
  7. from flask import (
  8. Blueprint, current_app, g, make_response, render_template,
  9. request, send_file)
  10. from rdflib.namespace import XSD
  11. from rdflib.term import Literal
  12. from lakesuperior.dictionaries.namespaces import ns_collection as nsc
  13. from lakesuperior.dictionaries.namespaces import ns_mgr as nsm
  14. from lakesuperior.exceptions import (ResourceNotExistsError, TombstoneError,
  15. ServerManagedTermError, InvalidResourceError, SingleSubjectError,
  16. ResourceExistsError, IncompatibleLdpTypeError)
  17. from lakesuperior.model.generic_resource import PathSegment
  18. from lakesuperior.model.ldp_factory import LdpFactory
  19. from lakesuperior.model.ldp_nr import LdpNr
  20. from lakesuperior.model.ldp_rs import LdpRs
  21. from lakesuperior.model.ldpr import Ldpr
  22. from lakesuperior.store_layouts.ldp_rs.lmdb_store import LmdbStore, TxnManager
  23. from lakesuperior.toolbox import Toolbox
  24. logger = logging.getLogger(__name__)
  25. # Blueprint for LDP REST API. This is what is usually found under `/rest/` in
  26. # standard fcrepo4. Here, it is under `/ldp` but initially `/rest` can be kept
  27. # for backward compatibility.
  28. ldp = Blueprint(
  29. 'ldp', __name__, template_folder='templates',
  30. static_url_path='/static', static_folder='../../static')
  31. accept_patch = (
  32. 'application/sparql-update',
  33. )
  34. accept_rdf = (
  35. 'application/ld+json',
  36. 'application/n-triples',
  37. 'application/rdf+xml',
  38. #'application/x-turtle',
  39. #'application/xhtml+xml',
  40. #'application/xml',
  41. #'text/html',
  42. 'text/n3',
  43. #'text/plain',
  44. 'text/rdf+n3',
  45. 'text/turtle',
  46. )
  47. std_headers = {
  48. 'Accept-Patch' : ','.join(accept_patch),
  49. 'Accept-Post' : ','.join(accept_rdf),
  50. #'Allow' : ','.join(allow),
  51. }
  52. '''Predicates excluded by view.'''
  53. vw_blacklist = {
  54. nsc['fcsystem'].contains,
  55. }
  56. @ldp.url_defaults
  57. def bp_url_defaults(endpoint, values):
  58. url_prefix = getattr(g, 'url_prefix', None)
  59. if url_prefix is not None:
  60. values.setdefault('url_prefix', url_prefix)
  61. @ldp.url_value_preprocessor
  62. def bp_url_value_preprocessor(endpoint, values):
  63. g.url_prefix = values.pop('url_prefix')
  64. g.webroot = request.host_url + g.url_prefix
  65. @ldp.before_request
  66. def log_request_start():
  67. logger.info('\n\n** Start {} {} **'.format(request.method, request.url))
  68. @ldp.before_request
  69. def instantiate_req_vars():
  70. g.store = current_app.rdfly.store
  71. g.tbox = Toolbox()
  72. @ldp.before_request
  73. def request_timestamp():
  74. g.timestamp = arrow.utcnow()
  75. g.timestamp_term = Literal(g.timestamp, datatype=XSD.dateTime)
  76. @ldp.after_request
  77. def log_request_end(rsp):
  78. logger.info('** End {} {} **\n\n'.format(request.method, request.url))
  79. return rsp
  80. def transaction(write=False):
  81. '''
  82. Handle atomic operations in a store.
  83. This wrapper ensures that a write operation is performed atomically. It
  84. also takes care of sending a message for each resource changed in the
  85. transaction.
  86. '''
  87. def _transaction_deco(fn):
  88. @wraps(fn)
  89. def _wrapper(*args, **kwargs):
  90. g.changelog = []
  91. store = current_app.rdfly.store
  92. if isinstance(store, LmdbStore):
  93. with TxnManager(store, write=write) as txn:
  94. ret = fn(*args, **kwargs)
  95. return ret
  96. else:
  97. try:
  98. ret = fn(*args, **kwargs)
  99. except:
  100. logger.warn('Rolling back transaction.')
  101. store.rollback()
  102. raise
  103. else:
  104. logger.info('Committing transaction.')
  105. #if hasattr(store, '_edits'):
  106. # # @FIXME ugly.
  107. # self.rdfly._conn.optimize_edits()
  108. store.commit()
  109. return ret
  110. # @TODO re-enable, maybe leave out the delta part
  111. #for ev in g.changelog:
  112. # #self._logger.info('Message: {}'.format(pformat(ev)))
  113. # send_event_msg(*ev)
  114. return _wrapper
  115. return _transaction_deco
  116. def send_msg(self, ev_type, remove_trp=None, add_trp=None):
  117. '''
  118. Sent a message about a changed (created, modified, deleted) resource.
  119. '''
  120. try:
  121. type = self.types
  122. actor = self.metadata.value(nsc['fcrepo'].createdBy)
  123. except (ResourceNotExistsError, TombstoneError):
  124. type = set()
  125. actor = None
  126. for t in add_trp:
  127. if t[1] == RDF.type:
  128. type.add(t[2])
  129. elif actor is None and t[1] == nsc['fcrepo'].createdBy:
  130. actor = t[2]
  131. g.changelog.append((set(remove_trp), set(add_trp), {
  132. 'ev_type' : ev_type,
  133. 'time' : g.timestamp,
  134. 'type' : type,
  135. 'actor' : actor,
  136. }))
  137. ## REST SERVICES ##
  138. @ldp.route('/<path:uid>', methods=['GET'], strict_slashes=False)
  139. @ldp.route('/', defaults={'uid': ''}, methods=['GET'], strict_slashes=False)
  140. @ldp.route('/<path:uid>/fcr:metadata', defaults={'force_rdf' : True},
  141. methods=['GET'])
  142. @transaction()
  143. def get_resource(uid, force_rdf=False):
  144. '''
  145. Retrieve RDF or binary content.
  146. @param uid (string) UID of resource to retrieve. The repository root has
  147. an empty string for UID.
  148. @param force_rdf (boolean) Whether to retrieve RDF even if the resource is
  149. a LDP-NR. This is not available in the API but is used e.g. by the
  150. `*/fcr:metadata` endpoint. The default is False.
  151. '''
  152. out_headers = std_headers
  153. repr_options = defaultdict(dict)
  154. if 'prefer' in request.headers:
  155. prefer = g.tbox.parse_rfc7240(request.headers['prefer'])
  156. logger.debug('Parsed Prefer header: {}'.format(pformat(prefer)))
  157. if 'return' in prefer:
  158. repr_options = parse_repr_options(prefer['return'])
  159. try:
  160. rsrc = LdpFactory.from_stored(uid, repr_options)
  161. except ResourceNotExistsError as e:
  162. return str(e), 404
  163. except TombstoneError as e:
  164. return _tombstone_response(e, uid)
  165. else:
  166. out_headers.update(rsrc.head())
  167. if (
  168. isinstance(rsrc, LdpRs)
  169. or isinstance(rsrc, PathSegment)
  170. or is_accept_hdr_rdf_parsable()
  171. or force_rdf):
  172. rsp = rsrc.get()
  173. return negotiate_content(rsp, out_headers)
  174. else:
  175. logger.info('Streaming out binary content.')
  176. rsp = make_response(send_file(rsrc.local_path, as_attachment=True,
  177. attachment_filename=rsrc.filename))
  178. rsp.headers['Link'] = '<{}/fcr:metadata>; rel="describedby"'\
  179. .format(rsrc.uri)
  180. return rsp
  181. @ldp.route('/<path:parent>', methods=['POST'], strict_slashes=False)
  182. @ldp.route('/', defaults={'parent': ''}, methods=['POST'],
  183. strict_slashes=False)
  184. def post_resource(parent):
  185. '''
  186. Add a new resource in a new URI.
  187. '''
  188. out_headers = std_headers
  189. try:
  190. slug = request.headers['Slug']
  191. logger.info('Slug: {}'.format(slug))
  192. except KeyError:
  193. slug = None
  194. handling, disposition = set_post_put_params()
  195. stream, mimetype = bitstream_from_req()
  196. try:
  197. with TxnManager(g.store, True):
  198. uid = uuid_for_post(parent, slug)
  199. logger.debug('Generated UID for POST: {}'.format(uid))
  200. rsrc = LdpFactory.from_provided(
  201. uid, content_length=request.content_length,
  202. stream=stream, mimetype=mimetype, handling=handling,
  203. disposition=disposition)
  204. rsrc.post()
  205. except ResourceNotExistsError as e:
  206. return str(e), 404
  207. except InvalidResourceError as e:
  208. return str(e), 409
  209. except TombstoneError as e:
  210. return _tombstone_response(e, uid)
  211. except ServerManagedTermError as e:
  212. return str(e), 412
  213. hdr = {
  214. 'Location' : rsrc.uri,
  215. }
  216. if isinstance(rsrc, LdpNr):
  217. hdr['Link'] = '<{0}/fcr:metadata>; rel="describedby"; anchor="<{0}>"'\
  218. .format(rsrc.uri)
  219. out_headers.update(hdr)
  220. return rsrc.uri, 201, out_headers
  221. @ldp.route('/<path:uid>/fcr:versions', methods=['GET'])
  222. @transaction()
  223. def get_version_info(uid):
  224. '''
  225. Get version info (`fcr:versions`).
  226. '''
  227. try:
  228. rsp = Ldpr(uid).get_version_info()
  229. except ResourceNotExistsError as e:
  230. return str(e), 404
  231. except InvalidResourceError as e:
  232. return str(e), 409
  233. except TombstoneError as e:
  234. return _tombstone_response(e, uid)
  235. else:
  236. return negotiate_content(rsp)
  237. @ldp.route('/<path:uid>/fcr:versions/<ver_uid>', methods=['GET'])
  238. @transaction()
  239. def get_version(uid, ver_uid):
  240. '''
  241. Get an individual resource version.
  242. @param uid (string) Resource UID.
  243. @param ver_uid (string) Version UID.
  244. '''
  245. try:
  246. rsp = Ldpr(uid).get_version(ver_uid)
  247. except ResourceNotExistsError as e:
  248. return str(e), 404
  249. except InvalidResourceError as e:
  250. return str(e), 409
  251. except TombstoneError as e:
  252. return _tombstone_response(e, uid)
  253. else:
  254. return negotiate_content(rsp)
  255. @ldp.route('/<path:uid>/fcr:versions', methods=['POST', 'PUT'])
  256. @transaction(True)
  257. def post_version(uid):
  258. '''
  259. Create a new resource version.
  260. '''
  261. if request.method == 'PUT':
  262. return 'Method not allowed.', 405
  263. ver_uid = request.headers.get('slug', None)
  264. try:
  265. ver_uri = LdpFactory.from_stored(uid).create_version(ver_uid)
  266. except ResourceNotExistsError as e:
  267. return str(e), 404
  268. except InvalidResourceError as e:
  269. return str(e), 409
  270. except TombstoneError as e:
  271. return _tombstone_response(e, uid)
  272. else:
  273. return '', 201, {'Location': ver_uri}
  274. @ldp.route('/<path:uid>/fcr:versions/<ver_uid>', methods=['PATCH'])
  275. @transaction(True)
  276. def patch_version(uid, ver_uid):
  277. '''
  278. Revert to a previous version.
  279. NOTE: This creates a new version snapshot.
  280. @param uid (string) Resource UID.
  281. @param ver_uid (string) Version UID.
  282. '''
  283. try:
  284. LdpFactory.from_stored(uid).revert_to_version(ver_uid)
  285. except ResourceNotExistsError as e:
  286. return str(e), 404
  287. except InvalidResourceError as e:
  288. return str(e), 409
  289. except TombstoneError as e:
  290. return _tombstone_response(e, uid)
  291. else:
  292. return '', 204
  293. @ldp.route('/<path:uid>', methods=['PUT'], strict_slashes=False)
  294. @ldp.route('/<path:uid>/fcr:metadata', defaults={'force_rdf' : True},
  295. methods=['PUT'])
  296. @transaction(True)
  297. def put_resource(uid):
  298. '''
  299. Add a new resource at a specified URI.
  300. '''
  301. # Parse headers.
  302. logger.info('Request headers: {}'.format(request.headers))
  303. rsp_headers = {'Content-Type' : 'text/plain; charset=utf-8'}
  304. handling, disposition = set_post_put_params()
  305. stream, mimetype = bitstream_from_req()
  306. try:
  307. rsrc = LdpFactory.from_provided(
  308. uid, content_length=request.content_length,
  309. stream=stream, mimetype=mimetype, handling=handling,
  310. disposition=disposition)
  311. if not request.content_length and rsrc.is_stored:
  312. raise InvalidResourceError(rsrc.uid,
  313. 'Resource {} already exists and no data set was provided.')
  314. except InvalidResourceError as e:
  315. return str(e), 409
  316. except (ServerManagedTermError, SingleSubjectError) as e:
  317. return str(e), 412
  318. except IncompatibleLdpTypeError as e:
  319. return str(e), 415
  320. try:
  321. ret = rsrc.put()
  322. rsp_headers.update(rsrc.head())
  323. except (InvalidResourceError, ResourceExistsError) as e:
  324. return str(e), 409
  325. except TombstoneError as e:
  326. return _tombstone_response(e, uid)
  327. if ret == Ldpr.RES_CREATED:
  328. rsp_code = 201
  329. rsp_headers['Location'] = rsp_body = rsrc.uri
  330. if isinstance(rsrc, LdpNr):
  331. rsp_headers['Link'] = '<{0}/fcr:metadata>; rel="describedby"'\
  332. .format(rsrc.uri)
  333. else:
  334. rsp_code = 204
  335. rsp_body = ''
  336. return rsp_body, rsp_code, rsp_headers
  337. @ldp.route('/<path:uid>', methods=['PATCH'], strict_slashes=False)
  338. @transaction(True)
  339. def patch_resource(uid):
  340. '''
  341. Update an existing resource with a SPARQL-UPDATE payload.
  342. '''
  343. rsp_headers = {'Content-Type' : 'text/plain; charset=utf-8'}
  344. rsrc = LdpRs(uid)
  345. if request.mimetype != 'application/sparql-update':
  346. return 'Provided content type is not a valid parsable format: {}'\
  347. .format(request.mimetype), 415
  348. try:
  349. rsrc.patch(request.get_data().decode('utf-8'))
  350. except ResourceNotExistsError as e:
  351. return str(e), 404
  352. except TombstoneError as e:
  353. return _tombstone_response(e, uid)
  354. except (ServerManagedTermError, SingleSubjectError) as e:
  355. return str(e), 412
  356. else:
  357. rsp_headers.update(rsrc.head())
  358. return '', 204, rsp_headers
  359. @ldp.route('/<path:uid>/fcr:metadata', methods=['PATCH'])
  360. @transaction(True)
  361. def patch_resource_metadata(uid):
  362. return patch_resource(uid)
  363. @ldp.route('/<path:uid>', methods=['DELETE'])
  364. @transaction(True)
  365. def delete_resource(uid):
  366. '''
  367. Delete a resource and optionally leave a tombstone.
  368. This behaves differently from FCREPO. A tombstone indicated that the
  369. resource is no longer available at its current location, but its historic
  370. snapshots still are. Also, deleting a resource with a tombstone creates
  371. one more version snapshot of the resource prior to being deleted.
  372. In order to completely wipe out all traces of a resource, the tombstone
  373. must be deleted as well, or the `Prefer:no-tombstone` header can be used.
  374. The latter will purge the resource immediately.
  375. '''
  376. headers = std_headers
  377. # If referential integrity is enforced, grab all inbound relationships
  378. # to break them.
  379. repr_opts = {'incl_inbound' : True} \
  380. if current_app.config['store']['ldp_rs']['referential_integrity'] \
  381. else {}
  382. if 'prefer' in request.headers:
  383. prefer = g.tbox.parse_rfc7240(request.headers['prefer'])
  384. leave_tstone = 'no-tombstone' not in prefer
  385. else:
  386. leave_tstone = True
  387. try:
  388. LdpFactory.from_stored(uid, repr_opts).delete(
  389. leave_tstone=leave_tstone)
  390. except ResourceNotExistsError as e:
  391. return str(e), 404
  392. except TombstoneError as e:
  393. return _tombstone_response(e, uid)
  394. return '', 204, headers
  395. @ldp.route('/<path:uid>/fcr:tombstone', methods=['GET', 'POST', 'PUT',
  396. 'PATCH', 'DELETE'])
  397. @transaction(True)
  398. def tombstone(uid):
  399. '''
  400. Handle all tombstone operations.
  401. The only allowed methods are POST and DELETE; any other verb will return a
  402. 405.
  403. '''
  404. logger.debug('Deleting tombstone for {}.'.format(uid))
  405. rsrc = Ldpr(uid)
  406. try:
  407. rsrc.metadata
  408. except TombstoneError as e:
  409. if request.method == 'DELETE':
  410. if e.uid == uid:
  411. rsrc.purge()
  412. return '', 204
  413. else:
  414. return _tombstone_response(e, uid)
  415. elif request.method == 'POST':
  416. if e.uid == uid:
  417. rsrc_uri = rsrc.resurrect()
  418. headers = {'Location' : rsrc_uri}
  419. return rsrc_uri, 201, headers
  420. else:
  421. return _tombstone_response(e, uid)
  422. else:
  423. return 'Method Not Allowed.', 405
  424. except ResourceNotExistsError as e:
  425. return str(e), 404
  426. else:
  427. return '', 404
  428. def negotiate_content(rsp, headers=None):
  429. '''
  430. Return HTML or serialized RDF depending on accept headers.
  431. '''
  432. if request.accept_mimetypes.best == 'text/html':
  433. rsrc = rsp.resource(request.path)
  434. return render_template(
  435. 'resource.html', rsrc=rsrc, nsm=nsm,
  436. blacklist = vw_blacklist)
  437. else:
  438. for p in vw_blacklist:
  439. rsp.remove((None, p, None))
  440. return (rsp.serialize(format='turtle'), headers)
  441. def uuid_for_post(parent_uid, slug=None):
  442. '''
  443. Validate conditions to perform a POST and return an LDP resource
  444. UID for using with the `post` method.
  445. This may raise an exception resulting in a 404 if the parent is not
  446. found or a 409 if the parent is not a valid container.
  447. '''
  448. def split_if_legacy(uid):
  449. if current_app.config['store']['ldp_rs']['legacy_ptree_split']:
  450. uid = g.tbox.split_uuid(uid)
  451. return uid
  452. # Shortcut!
  453. if not slug and parent_uid == '':
  454. uid = split_if_legacy(str(uuid4()))
  455. return uid
  456. parent = LdpFactory.from_stored(parent_uid,
  457. repr_opts={'incl_children' : False})
  458. #if isintance(parent, PathSegment):
  459. # raise InvalidResourceError(parent.uid,
  460. # 'Resource {} cannot be created under a pairtree.')
  461. # Set prefix.
  462. if parent_uid:
  463. if (not isinstance(parent, PathSegment)
  464. and nsc['ldp'].Container not in parent.types):
  465. raise InvalidResourceError(parent_uid,
  466. 'Parent {} is not a container.')
  467. pfx = parent_uid + '/'
  468. else:
  469. pfx = ''
  470. # Create candidate UID and validate.
  471. if slug:
  472. cnd_uid = pfx + slug
  473. if current_app.rdfly.ask_rsrc_exists(cnd_uid):
  474. uid = pfx + split_if_legacy(str(uuid4()))
  475. else:
  476. uid = cnd_uid
  477. else:
  478. uid = pfx + split_if_legacy(str(uuid4()))
  479. return uid
  480. def bitstream_from_req():
  481. '''
  482. Find how a binary file and its MIMEtype were uploaded in the request.
  483. '''
  484. logger.debug('Content type: {}'.format(request.mimetype))
  485. logger.debug('files: {}'.format(request.files))
  486. logger.debug('stream: {}'.format(request.stream))
  487. if request.mimetype == 'multipart/form-data':
  488. # This seems the "right" way to upload a binary file, with a
  489. # multipart/form-data MIME type and the file in the `file`
  490. # field. This however is not supported by FCREPO4.
  491. stream = request.files.get('file').stream
  492. mimetype = request.files.get('file').content_type
  493. # @TODO This will turn out useful to provide metadata
  494. # with the binary.
  495. #metadata = request.files.get('metadata').stream
  496. #provided_imr = [parse RDF here...]
  497. else:
  498. # This is a less clean way, with the file in the form body and
  499. # the request as application/x-www-form-urlencoded.
  500. # This is how FCREPO4 accepts binary uploads.
  501. stream = request.stream
  502. mimetype = request.mimetype
  503. return stream, mimetype
  504. def _get_bitstream(rsrc):
  505. # @TODO This may change in favor of more low-level handling if the file
  506. # system is not local.
  507. return send_file(rsrc.local_path, as_attachment=True,
  508. attachment_filename=rsrc.filename)
  509. def _tombstone_response(e, uid):
  510. headers = {
  511. 'Link': '<{}/fcr:tombstone>; rel="hasTombstone"'.format(request.url),
  512. } if e.uid == uid else {}
  513. return str(e), 410, headers
  514. def set_post_put_params():
  515. '''
  516. Sets handling and content disposition for POST and PUT by parsing headers.
  517. '''
  518. handling = 'strict'
  519. if 'prefer' in request.headers:
  520. prefer = g.tbox.parse_rfc7240(request.headers['prefer'])
  521. logger.debug('Parsed Prefer header: {}'.format(prefer))
  522. if 'handling' in prefer:
  523. handling = prefer['handling']['value']
  524. try:
  525. disposition = g.tbox.parse_rfc7240(
  526. request.headers['content-disposition'])
  527. except KeyError:
  528. disposition = None
  529. return handling, disposition
  530. def is_accept_hdr_rdf_parsable():
  531. '''
  532. Check if any of the 'Accept' header values provided is a RDF parsable
  533. format.
  534. '''
  535. for mimetype in request.accept_mimetypes.values():
  536. if LdpFactory.is_rdf_parsable(mimetype):
  537. return True
  538. return False
  539. def parse_repr_options(retr_opts):
  540. '''
  541. Set options to retrieve IMR.
  542. Ideally, IMR retrieval is done once per request, so all the options
  543. are set once in the `imr()` property.
  544. @param retr_opts (dict): Options parsed from `Prefer` header.
  545. '''
  546. logger.debug('Parsing retrieval options: {}'.format(retr_opts))
  547. imr_options = {}
  548. if retr_opts.get('value') == 'minimal':
  549. imr_options = {
  550. 'embed_children' : False,
  551. 'incl_children' : False,
  552. 'incl_inbound' : False,
  553. 'incl_srv_mgd' : False,
  554. }
  555. else:
  556. # Default.
  557. imr_options = {
  558. 'embed_children' : False,
  559. 'incl_children' : True,
  560. 'incl_inbound' : False,
  561. 'incl_srv_mgd' : True,
  562. }
  563. # Override defaults.
  564. if 'parameters' in retr_opts:
  565. include = retr_opts['parameters']['include'].split(' ') \
  566. if 'include' in retr_opts['parameters'] else []
  567. omit = retr_opts['parameters']['omit'].split(' ') \
  568. if 'omit' in retr_opts['parameters'] else []
  569. logger.debug('Include: {}'.format(include))
  570. logger.debug('Omit: {}'.format(omit))
  571. if str(Ldpr.EMBED_CHILD_RES_URI) in include:
  572. imr_options['embed_children'] = True
  573. if str(Ldpr.RETURN_CHILD_RES_URI) in omit:
  574. imr_options['incl_children'] = False
  575. if str(Ldpr.RETURN_INBOUND_REF_URI) in include:
  576. imr_options['incl_inbound'] = True
  577. if str(Ldpr.RETURN_SRV_MGD_RES_URI) in omit:
  578. imr_options['incl_srv_mgd'] = False
  579. logger.debug('Retrieval options: {}'.format(pformat(imr_options)))
  580. return imr_options