ldp.py 29 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884
  1. import logging
  2. import pdb
  3. from base64 import b64encode
  4. from collections import defaultdict
  5. from io import BytesIO
  6. from pprint import pformat
  7. from uuid import uuid4
  8. import arrow
  9. from flask import (
  10. Blueprint, Response, g, make_response, render_template,
  11. request, send_file)
  12. from rdflib import Graph, plugin, parser#, serializer
  13. from werkzeug.http import parse_date
  14. from lakesuperior import env
  15. from lakesuperior.api import resource as rsrc_api
  16. from lakesuperior.dictionaries.namespaces import ns_collection as nsc
  17. from lakesuperior.dictionaries.namespaces import ns_mgr as nsm
  18. from lakesuperior.exceptions import (ResourceNotExistsError, TombstoneError,
  19. ServerManagedTermError, InvalidResourceError, SingleSubjectError,
  20. ResourceExistsError, IncompatibleLdpTypeError)
  21. from lakesuperior.globals import RES_CREATED
  22. from lakesuperior.model.ldp_factory import LdpFactory
  23. from lakesuperior.model.ldp_nr import LdpNr
  24. from lakesuperior.model.ldp_rs import LdpRs
  25. from lakesuperior.model.ldpr import Ldpr
  26. from lakesuperior.toolbox import Toolbox
  27. DEFAULT_RDF_MIMETYPE = 'text/turtle'
  28. """
  29. Fallback serialization format used when no acceptable formats are specified.
  30. """
  31. logger = logging.getLogger(__name__)
  32. rdf_parsable_mimetypes = {
  33. mt.name for mt in plugin.plugins()
  34. if mt.kind is parser.Parser and '/' in mt.name
  35. }
  36. """MIMEtypes that can be parsed into RDF."""
  37. rdf_serializable_mimetypes = {
  38. #mt.name for mt in plugin.plugins()
  39. #if mt.kind is serializer.Serializer and '/' in mt.name
  40. 'application/ld+json',
  41. 'application/n-triples',
  42. 'application/rdf+xml',
  43. 'text/turtle',
  44. 'text/n3',
  45. }
  46. """
  47. MIMEtypes that RDF can be serialized into.
  48. These are not automatically derived from RDFLib because only triple
  49. (not quad) serializations are applicable.
  50. """
  51. accept_patch = (
  52. 'application/sparql-update',
  53. )
  54. std_headers = {
  55. 'Accept-Patch' : ','.join(accept_patch),
  56. 'Accept-Post' : ','.join(rdf_parsable_mimetypes),
  57. }
  58. """Predicates excluded by view."""
  59. vw_blacklist = {
  60. }
  61. ldp = Blueprint(
  62. 'ldp', __name__, template_folder='templates',
  63. static_url_path='/static', static_folder='templates/static')
  64. """
  65. Blueprint for LDP REST API. This is what is usually found under ``/rest/`` in
  66. standard fcrepo4. Here, it is under ``/ldp`` but initially ``/rest`` will be
  67. kept for backward compatibility.
  68. """
  69. ## ROUTE PRE- & POST-PROCESSING ##
  70. @ldp.url_defaults
  71. def bp_url_defaults(endpoint, values):
  72. url_prefix = getattr(g, 'url_prefix', None)
  73. if url_prefix is not None:
  74. values.setdefault('url_prefix', url_prefix)
  75. @ldp.url_value_preprocessor
  76. def bp_url_value_preprocessor(endpoint, values):
  77. g.url_prefix = values.pop('url_prefix')
  78. g.webroot = request.host_url + g.url_prefix
  79. # Normalize leading slashes for UID.
  80. if 'uid' in values:
  81. values['uid'] = '/' + values['uid'].lstrip('/')
  82. if 'parent_uid' in values:
  83. values['parent_uid'] = '/' + values['parent_uid'].lstrip('/')
  84. @ldp.before_request
  85. def log_request_start():
  86. logger.info('** Start {} {} **'.format(request.method, request.url))
  87. @ldp.before_request
  88. def instantiate_req_vars():
  89. g.tbox = Toolbox()
  90. @ldp.after_request
  91. def log_request_end(rsp):
  92. logger.info('** End {} {} **'.format(request.method, request.url))
  93. return rsp
  94. ## REST SERVICES ##
  95. @ldp.route('/<path:uid>', methods=['GET'], strict_slashes=False)
  96. @ldp.route('/', defaults={'uid': '/'}, methods=['GET'], strict_slashes=False)
  97. @ldp.route('/<path:uid>/fcr:metadata', defaults={'out_fmt' : 'rdf'},
  98. methods=['GET'])
  99. @ldp.route('/<path:uid>/fcr:content', defaults={'out_fmt' : 'non_rdf'},
  100. methods=['GET'])
  101. def get_resource(uid, out_fmt=None):
  102. r"""
  103. https://www.w3.org/TR/ldp/#ldpr-HTTP_GET
  104. Retrieve RDF or binary content.
  105. :param str uid: UID of resource to retrieve. The repository root has
  106. an empty string for UID.
  107. :param str out_fmt: Force output to RDF or non-RDF if the resource is
  108. a LDP-NR. This is not available in the API but is used e.g. by the
  109. ``\*/fcr:metadata`` and ``\*/fcr:content`` endpoints. The default is
  110. False.
  111. """
  112. out_headers = std_headers.copy()
  113. repr_options = defaultdict(dict)
  114. # Fist check if it's not a 404 or a 410.
  115. try:
  116. if not rsrc_api.exists(uid):
  117. return '', 404
  118. except TombstoneError as e:
  119. return _tombstone_response(e, uid)
  120. # Then process the condition headers.
  121. cond_ret = _process_cond_headers(uid, request.headers)
  122. if cond_ret:
  123. return cond_ret
  124. # Then, business as usual.
  125. # Evaluate which representation is requested.
  126. if 'prefer' in request.headers:
  127. prefer = g.tbox.parse_rfc7240(request.headers['prefer'])
  128. logger.debug('Parsed Prefer header: {}'.format(pformat(prefer)))
  129. if 'return' in prefer:
  130. repr_options = parse_repr_options(prefer['return'])
  131. rsrc = rsrc_api.get(uid, repr_options)
  132. if out_fmt is None:
  133. rdf_mimetype = _best_rdf_mimetype()
  134. out_fmt = (
  135. 'rdf'
  136. if isinstance(rsrc, LdpRs) or rdf_mimetype is not None
  137. else 'non_rdf')
  138. out_headers.update(_headers_from_metadata(rsrc, out_fmt))
  139. uri = g.tbox.uid_to_uri(uid)
  140. # RDF output.
  141. if out_fmt == 'rdf':
  142. if locals().get('rdf_mimetype', None) is None:
  143. rdf_mimetype = DEFAULT_RDF_MIMETYPE
  144. ggr = g.tbox.globalize_graph(rsrc.out_graph)
  145. ggr.namespace_manager = nsm
  146. return _negotiate_content(
  147. ggr, rdf_mimetype, out_headers, uid=uid, uri=uri)
  148. # Datastream.
  149. else:
  150. if not getattr(rsrc, 'local_path', False):
  151. return ('{} has no binary content.'.format(rsrc.uid), 404)
  152. logger.debug('Streaming out binary content.')
  153. if request.range and request.range.units == 'bytes':
  154. # Stream partial response.
  155. # This is only true if the header is well-formed. Thanks, Werkzeug.
  156. rsp = _parse_range_header(request.range.ranges, rsrc, out_headers)
  157. else:
  158. rsp = make_response(send_file(
  159. rsrc.local_path, as_attachment=True,
  160. attachment_filename=rsrc.filename,
  161. mimetype=rsrc.mimetype), 200, out_headers)
  162. # This seems necessary to prevent Flask from setting an
  163. # additional ETag.
  164. if 'ETag' in out_headers:
  165. rsp.set_etag(out_headers['ETag'])
  166. rsp.headers.add('Link', f'<{uri}/fcr:metadata>; rel="describedby"')
  167. return rsp
  168. @ldp.route('/<path:uid>/fcr:versions', methods=['GET'])
  169. def get_version_info(uid):
  170. """
  171. Get version info (`fcr:versions`).
  172. :param str uid: UID of resource to retrieve versions for.
  173. """
  174. rdf_mimetype = _best_rdf_mimetype() or DEFAULT_RDF_MIMETYPE
  175. try:
  176. gr = rsrc_api.get_version_info(uid)
  177. except ResourceNotExistsError as e:
  178. return str(e), 404
  179. except InvalidResourceError as e:
  180. return str(e), 409
  181. except TombstoneError as e:
  182. return _tombstone_response(e, uid)
  183. else:
  184. return _negotiate_content(g.tbox.globalize_graph(gr), rdf_mimetype)
  185. @ldp.route('/<path:uid>/fcr:versions/<ver_uid>', methods=['GET'])
  186. def get_version(uid, ver_uid):
  187. """
  188. Get an individual resource version.
  189. :param str uid: Resource UID.
  190. :param str ver_uid: Version UID.
  191. """
  192. rdf_mimetype = _best_rdf_mimetype() or DEFAULT_RDF_MIMETYPE
  193. try:
  194. gr = rsrc_api.get_version(uid, ver_uid)
  195. except ResourceNotExistsError as e:
  196. return str(e), 404
  197. except InvalidResourceError as e:
  198. return str(e), 409
  199. except TombstoneError as e:
  200. return _tombstone_response(e, uid)
  201. else:
  202. return _negotiate_content(g.tbox.globalize_graph(gr), rdf_mimetype)
  203. @ldp.route('/<path:parent_uid>', methods=['POST'], strict_slashes=False)
  204. @ldp.route('/', defaults={'parent_uid': '/'}, methods=['POST'],
  205. strict_slashes=False)
  206. def post_resource(parent_uid):
  207. """
  208. https://www.w3.org/TR/ldp/#ldpr-HTTP_POST
  209. Add a new resource in a new URI.
  210. """
  211. rsp_headers = std_headers.copy()
  212. slug = request.headers.get('Slug')
  213. logger.debug('Slug: {}'.format(slug))
  214. handling, disposition = set_post_put_params()
  215. stream, mimetype = _bistream_from_req()
  216. if mimetype in rdf_parsable_mimetypes:
  217. # If the content is RDF, localize in-repo URIs.
  218. global_rdf = stream.read()
  219. rdf_data = g.tbox.localize_payload(global_rdf)
  220. rdf_fmt = mimetype
  221. stream = mimetype = None
  222. else:
  223. rdf_data = rdf_fmt = None
  224. try:
  225. rsrc = rsrc_api.create(
  226. parent_uid, slug, stream=stream, mimetype=mimetype,
  227. rdf_data=rdf_data, rdf_fmt=rdf_fmt, handling=handling,
  228. disposition=disposition)
  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. except ServerManagedTermError as e:
  236. return str(e), 412
  237. uri = g.tbox.uid_to_uri(rsrc.uid)
  238. rsp_headers.update(_headers_from_metadata(rsrc))
  239. rsp_headers['Location'] = uri
  240. if mimetype and rdf_fmt is None:
  241. rsp_headers['Link'] = (f'<{uri}/fcr:metadata>; rel="describedby"; '
  242. f'anchor="{uri}"')
  243. return uri, 201, rsp_headers
  244. @ldp.route('/<path:uid>', methods=['PUT'], strict_slashes=False)
  245. @ldp.route('/<path:uid>/fcr:metadata', defaults={'force_rdf' : True},
  246. methods=['PUT'])
  247. def put_resource(uid):
  248. """
  249. https://www.w3.org/TR/ldp/#ldpr-HTTP_PUT
  250. Add or replace a new resource at a specified URI.
  251. """
  252. # Parse headers.
  253. logger.debug('Request headers: {}'.format(request.headers))
  254. cond_ret = _process_cond_headers(uid, request.headers, False)
  255. if cond_ret:
  256. return cond_ret
  257. handling, disposition = set_post_put_params()
  258. stream, mimetype = _bistream_from_req()
  259. if mimetype in rdf_parsable_mimetypes:
  260. # If the content is RDF, localize in-repo URIs.
  261. global_rdf = stream.read()
  262. rdf_data = g.tbox.localize_payload(global_rdf)
  263. rdf_fmt = mimetype
  264. stream = mimetype = None
  265. else:
  266. rdf_data = rdf_fmt = None
  267. try:
  268. evt, rsrc = rsrc_api.create_or_replace(
  269. uid, stream=stream, mimetype=mimetype,
  270. rdf_data=rdf_data, rdf_fmt=rdf_fmt, handling=handling,
  271. disposition=disposition)
  272. except (InvalidResourceError, ResourceExistsError) as e:
  273. return str(e), 409
  274. except (ServerManagedTermError, SingleSubjectError) as e:
  275. return str(e), 412
  276. except IncompatibleLdpTypeError as e:
  277. return str(e), 415
  278. except TombstoneError as e:
  279. return _tombstone_response(e, uid)
  280. rsp_headers = _headers_from_metadata(rsrc)
  281. rsp_headers['Content-Type'] = 'text/plain; charset=utf-8'
  282. uri = g.tbox.uid_to_uri(uid)
  283. if evt == RES_CREATED:
  284. rsp_code = 201
  285. rsp_headers['Location'] = rsp_body = uri
  286. if mimetype and not rdf_data:
  287. rsp_headers['Link'] = f'<{uri}/fcr:metadata>; rel="describedby"'
  288. else:
  289. rsp_code = 204
  290. rsp_body = ''
  291. return rsp_body, rsp_code, rsp_headers
  292. @ldp.route('/<path:uid>', methods=['PATCH'], strict_slashes=False)
  293. @ldp.route('/', defaults={'uid': '/'}, methods=['PATCH'],
  294. strict_slashes=False)
  295. def patch_resource(uid, is_metadata=False):
  296. """
  297. https://www.w3.org/TR/ldp/#ldpr-HTTP_PATCH
  298. Update an existing resource with a SPARQL-UPDATE payload.
  299. """
  300. # Fist check if it's not a 404 or a 410.
  301. try:
  302. if not rsrc_api.exists(uid):
  303. return '', 404
  304. except TombstoneError as e:
  305. return _tombstone_response(e, uid)
  306. # Then process the condition headers.
  307. cond_ret = _process_cond_headers(uid, request.headers, False)
  308. if cond_ret:
  309. return cond_ret
  310. rsp_headers = {'Content-Type' : 'text/plain; charset=utf-8'}
  311. if request.mimetype != 'application/sparql-update':
  312. return 'Provided content type is not a valid parsable format: {}'\
  313. .format(request.mimetype), 415
  314. update_str = request.get_data().decode('utf-8')
  315. local_update_str = g.tbox.localize_ext_str(update_str, nsc['fcres'][uid])
  316. try:
  317. rsrc = rsrc_api.update(uid, local_update_str, is_metadata)
  318. except (ServerManagedTermError, SingleSubjectError) as e:
  319. return str(e), 412
  320. except InvalidResourceError as e:
  321. return str(e), 415
  322. else:
  323. rsp_headers.update(_headers_from_metadata(rsrc))
  324. return '', 204, rsp_headers
  325. @ldp.route('/<path:uid>/fcr:metadata', methods=['PATCH'])
  326. def patch_resource_metadata(uid):
  327. return patch_resource(uid, True)
  328. @ldp.route('/<path:uid>', methods=['DELETE'])
  329. def delete_resource(uid):
  330. """
  331. Delete a resource and optionally leave a tombstone.
  332. This behaves differently from FCREPO. A tombstone indicated that the
  333. resource is no longer available at its current location, but its historic
  334. snapshots still are. Also, deleting a resource with a tombstone creates
  335. one more version snapshot of the resource prior to being deleted.
  336. In order to completely wipe out all traces of a resource, the tombstone
  337. must be deleted as well, or the ``Prefer:no-tombstone`` header can be used.
  338. The latter will forget (completely delete) the resource immediately.
  339. """
  340. # Fist check if it's not a 404 or a 410.
  341. try:
  342. if not rsrc_api.exists(uid):
  343. return '', 404
  344. except TombstoneError as e:
  345. return _tombstone_response(e, uid)
  346. # Then process the condition headers.
  347. cond_ret = _process_cond_headers(uid, request.headers, False)
  348. if cond_ret:
  349. return cond_ret
  350. headers = std_headers.copy()
  351. if 'prefer' in request.headers:
  352. prefer = g.tbox.parse_rfc7240(request.headers['prefer'])
  353. leave_tstone = 'no-tombstone' not in prefer
  354. else:
  355. leave_tstone = True
  356. rsrc_api.delete(uid, leave_tstone)
  357. return '', 204, headers
  358. @ldp.route('/<path:uid>/fcr:tombstone', methods=['GET', 'POST', 'PUT',
  359. 'PATCH', 'DELETE'])
  360. def tombstone(uid):
  361. """
  362. Handle all tombstone operations.
  363. The only allowed methods are POST and DELETE; any other verb will return a
  364. 405.
  365. """
  366. try:
  367. rsrc = rsrc_api.get(uid)
  368. except TombstoneError as e:
  369. if request.method == 'DELETE':
  370. if e.uid == uid:
  371. rsrc_api.delete(uid, False)
  372. return '', 204
  373. else:
  374. return _tombstone_response(e, uid)
  375. elif request.method == 'POST':
  376. if e.uid == uid:
  377. rsrc_uri = rsrc_api.resurrect(uid)
  378. headers = {'Location' : rsrc_uri}
  379. return rsrc_uri, 201, headers
  380. else:
  381. return _tombstone_response(e, uid)
  382. else:
  383. return 'Method Not Allowed.', 405
  384. except ResourceNotExistsError as e:
  385. return str(e), 404
  386. else:
  387. return '', 404
  388. @ldp.route('/<path:uid>/fcr:versions', methods=['POST', 'PUT'])
  389. def post_version(uid):
  390. """
  391. Create a new resource version.
  392. """
  393. if request.method == 'PUT':
  394. return 'Method not allowed.', 405
  395. ver_uid = request.headers.get('slug', None)
  396. try:
  397. ver_uid = rsrc_api.create_version(uid, ver_uid)
  398. except ResourceNotExistsError as e:
  399. return str(e), 404
  400. except InvalidResourceError as e:
  401. return str(e), 409
  402. except TombstoneError as e:
  403. return _tombstone_response(e, uid)
  404. else:
  405. return '', 201, {'Location': g.tbox.uid_to_uri(ver_uid)}
  406. @ldp.route('/<path:uid>/fcr:versions/<ver_uid>', methods=['PATCH'])
  407. def patch_version(uid, ver_uid):
  408. """
  409. Revert to a previous version.
  410. NOTE: This creates a new version snapshot.
  411. :param str uid: Resource UID.
  412. :param str ver_uid: Version UID.
  413. """
  414. try:
  415. rsrc_api.revert_to_version(uid, ver_uid)
  416. except ResourceNotExistsError as e:
  417. return str(e), 404
  418. except InvalidResourceError as e:
  419. return str(e), 409
  420. except TombstoneError as e:
  421. return _tombstone_response(e, uid)
  422. else:
  423. return '', 204
  424. ## PRIVATE METHODS ##
  425. def _best_rdf_mimetype():
  426. """
  427. Check if any of the 'Accept' header values provided is a RDF parsable
  428. format.
  429. """
  430. for accept in request.accept_mimetypes:
  431. mimetype = accept[0]
  432. if mimetype in rdf_parsable_mimetypes:
  433. return mimetype
  434. return None
  435. def _negotiate_content(gr, rdf_mimetype, headers=None, **vw_kwargs):
  436. """
  437. Return HTML or serialized RDF depending on accept headers.
  438. """
  439. if request.accept_mimetypes.best == 'text/html':
  440. return render_template(
  441. 'resource.html', gr=gr, nsc=nsc, nsm=nsm,
  442. blacklist=vw_blacklist, arrow=arrow, **vw_kwargs)
  443. else:
  444. for p in vw_blacklist:
  445. gr.remove((None, p, None))
  446. return Response(
  447. gr.serialize(format=rdf_mimetype), 200, headers,
  448. mimetype=rdf_mimetype)
  449. def _bistream_from_req():
  450. """
  451. Find how a binary file and its MIMEtype were uploaded in the request.
  452. """
  453. #logger.debug('Content type: {}'.format(request.mimetype))
  454. #logger.debug('files: {}'.format(request.files))
  455. #logger.debug('stream: {}'.format(request.stream))
  456. if request.mimetype == 'multipart/form-data':
  457. # This seems the "right" way to upload a binary file, with a
  458. # multipart/form-data MIME type and the file in the `file`
  459. # field. This however is not supported by FCREPO4.
  460. stream = request.files.get('file').stream
  461. mimetype = request.files.get('file').content_type
  462. # @TODO This will turn out useful to provide metadata
  463. # with the binary.
  464. #metadata = request.files.get('metadata').stream
  465. else:
  466. # This is a less clean way, with the file in the form body and
  467. # the request as application/x-www-form-urlencoded.
  468. # This is how FCREPO4 accepts binary uploads.
  469. stream = request.stream
  470. # @FIXME Must decide what to do with this.
  471. mimetype = request.mimetype
  472. if mimetype == '' or mimetype == 'application/x-www-form-urlencoded':
  473. if getattr(stream, 'limit', 0) == 0:
  474. stream = mimetype = None
  475. else:
  476. mimetype = 'application/octet-stream'
  477. return stream, mimetype
  478. def _tombstone_response(e, uid):
  479. headers = {
  480. 'Link': '<{}/fcr:tombstone>; rel="hasTombstone"'.format(request.url),
  481. } if e.uid == uid else {}
  482. return str(e), 410, headers
  483. def set_post_put_params():
  484. """
  485. Sets handling and content disposition for POST and PUT by parsing headers.
  486. """
  487. handling = 'strict'
  488. if 'prefer' in request.headers:
  489. prefer = g.tbox.parse_rfc7240(request.headers['prefer'])
  490. logger.debug('Parsed Prefer header: {}'.format(prefer))
  491. if 'handling' in prefer:
  492. handling = prefer['handling']['value']
  493. try:
  494. disposition = g.tbox.parse_rfc7240(
  495. request.headers['content-disposition'])
  496. except KeyError:
  497. disposition = None
  498. return handling, disposition
  499. def parse_repr_options(retr_opts):
  500. """
  501. Set options to retrieve IMR.
  502. Ideally, IMR retrieval is done once per request, so all the options
  503. are set once in the `imr()` property.
  504. :param dict retr_opts:: Options parsed from `Prefer` header.
  505. """
  506. logger.debug('Parsing retrieval options: {}'.format(retr_opts))
  507. imr_options = {}
  508. if retr_opts.get('value') == 'minimal':
  509. imr_options = {
  510. 'embed_children' : False,
  511. 'incl_children' : False,
  512. 'incl_inbound' : False,
  513. 'incl_srv_mgd' : False,
  514. }
  515. else:
  516. # Default.
  517. imr_options = {
  518. 'embed_children' : False,
  519. 'incl_children' : True,
  520. 'incl_inbound' : False,
  521. 'incl_srv_mgd' : True,
  522. }
  523. # Override defaults.
  524. if 'parameters' in retr_opts:
  525. include = retr_opts['parameters']['include'].split(' ') \
  526. if 'include' in retr_opts['parameters'] else []
  527. omit = retr_opts['parameters']['omit'].split(' ') \
  528. if 'omit' in retr_opts['parameters'] else []
  529. logger.debug('Include: {}'.format(include))
  530. logger.debug('Omit: {}'.format(omit))
  531. if str(Ldpr.EMBED_CHILD_RES_URI) in include:
  532. imr_options['embed_children'] = True
  533. if str(Ldpr.RETURN_CHILD_RES_URI) in omit:
  534. imr_options['incl_children'] = False
  535. if str(Ldpr.RETURN_INBOUND_REF_URI) in include:
  536. imr_options['incl_inbound'] = True
  537. if str(Ldpr.RETURN_SRV_MGD_RES_URI) in omit:
  538. imr_options['incl_srv_mgd'] = False
  539. logger.debug('Retrieval options: {}'.format(pformat(imr_options)))
  540. return imr_options
  541. def _headers_from_metadata(rsrc, out_fmt='text/turtle'):
  542. """
  543. Create a dict of headers from a metadata graph.
  544. :param lakesuperior.model.ldpr.Ldpr rsrc: Resource to extract metadata
  545. from.
  546. """
  547. rsp_headers = defaultdict(list)
  548. digest_p = rsrc.metadata.value(nsc['premis'].hasMessageDigest)
  549. # Only add ETag and digest if output is not RDF.
  550. if digest_p:
  551. rsp_headers['ETag'], rsp_headers['Digest'] = (
  552. _digest_headers(digest_p))
  553. last_updated_term = rsrc.metadata.value(nsc['fcrepo'].lastModified)
  554. if last_updated_term:
  555. rsp_headers['Last-Modified'] = arrow.get(last_updated_term)\
  556. .format('ddd, D MMM YYYY HH:mm:ss Z')
  557. for t in rsrc.ldp_types:
  558. rsp_headers['Link'].append('{};rel="type"'.format(t.n3()))
  559. if rsrc.mimetype:
  560. rsp_headers['Content-Type'] = rsrc.mimetype
  561. return rsp_headers
  562. def _digest_headers(digest):
  563. """
  564. Format ETag and Digest headers from resource checksum.
  565. :param str digest: Resource digest. For an extracted IMR, this is the
  566. value of the ``premis:hasMessageDigest`` property.
  567. """
  568. digest_components = digest.split(':')
  569. cksum_hex = digest_components[-1]
  570. cksum = bytearray.fromhex(cksum_hex)
  571. digest_algo = digest_components[-2]
  572. etag_str = cksum_hex
  573. digest_str = '{}={}'.format(
  574. digest_algo.upper(), b64encode(cksum).decode('ascii'))
  575. return etag_str, digest_str
  576. def _condition_hdr_match(uid, headers, safe=True):
  577. """
  578. Conditional header evaluation for HEAD, GET, PUT and DELETE requests.
  579. Determine whether any conditional headers, and which, is/are imposed in the
  580. request (``If-Match``, ``If-None-Match``, ``If-Modified-Since``,
  581. ``If-Unmodified-Since``, or none) and what the most relevant condition
  582. evaluates to (``True`` or ``False``).
  583. `RFC 7232 <https://tools.ietf.org/html/rfc7232#section-3.1>`__ does not
  584. indicate an exact condition precedence, except that the ETag
  585. matching conditions void the timestamp-based ones. This function
  586. adopts the following precedence:
  587. - ``If-Match`` is evaluated first if present;
  588. - Else, ``If-None-Match`` is evaluated if present;
  589. - Else, ``If-Modified-Since`` and ``If-Unmodified-Since``
  590. are evaluated if present. If both conditions are present they are
  591. both returned so they can be furher evaluated, e.g. using a logical AND
  592. to allow time-range conditions, where the two terms indicate the early
  593. and late boundary, respectively.
  594. Note that the above mentioned RFC mentions several cases in which these
  595. conditions are ignored, e.g. for a 404 in some cases, or for certain
  596. HTTP methods for ``If-Modified-Since``. This must be implemented by the
  597. calling function.
  598. :param str uid: UID of the resource requested.
  599. :param werkzeug.datastructures.EnvironHeaders headers: Incoming request
  600. headers.
  601. :param bool safe: Whether a "safe" method is being processed. Defaults to
  602. True.
  603. :rtype: dict (str, bool)
  604. :return: Dictionary whose keys are the conditional header names that
  605. have been evaluated, and whose boolean values indicate whether each
  606. condition is met. If no valid conditional header is found, an empty
  607. dict is returned.
  608. """
  609. # ETag-based conditions.
  610. # This ignores headers with empty values.
  611. if headers.get('if-match') or headers.get('if-none-match'):
  612. cond_hdr = 'if-match' if headers.get('if-match') else 'if-none-match'
  613. # Wildcard matching for unsafe methods. Cannot be part of a list of
  614. # ETags nor be enclosed in quotes.
  615. if not safe and headers.get(cond_hdr) == '*':
  616. return {cond_hdr: (cond_hdr == 'if-match') == rsrc_api.exists(uid)}
  617. req_etags = [
  618. et.strip('\'" ') for et in headers.get(cond_hdr).split(',')]
  619. try:
  620. rsrc_meta = rsrc_api.get_metadata(uid)
  621. except ResourceNotExistsError:
  622. rsrc_meta = Imr(nsc['fcres'][uid])
  623. digest_prop = rsrc_meta.value(nsc['premis'].hasMessageDigest)
  624. if digest_prop:
  625. etag, _ = _digest_headers(digest_prop)
  626. if cond_hdr == 'if-match':
  627. is_match = etag in req_etags
  628. else:
  629. is_match = etag not in req_etags
  630. else:
  631. is_match = cond_hdr == 'if-none-match'
  632. return {cond_hdr: is_match}
  633. # Timestmp-based conditions.
  634. ret = {}
  635. if headers.get('if-modified-since') or headers.get('if-unmodified-since'):
  636. try:
  637. rsrc_meta = rsrc_api.get_metadata(uid)
  638. except ResourceNotExistsError:
  639. return {
  640. 'if-modified-since': False,
  641. 'if-unmodified-since': False
  642. }
  643. lastmod_str = rsrc_meta.value(nsc['fcrepo'].lastModified)
  644. lastmod_ts = arrow.get(lastmod_str)
  645. # If date is not in a RFC 5322 format
  646. # (https://tools.ietf.org/html/rfc5322#section-3.3) parse_date
  647. # evaluates to None.
  648. mod_since_date = parse_date(headers.get('if-modified-since'))
  649. if mod_since_date:
  650. cond_hdr = 'if-modified-since'
  651. ret[cond_hdr] = lastmod_ts > arrow.get(mod_since_date)
  652. unmod_since_date = parse_date(headers.get('if-unmodified-since'))
  653. if unmod_since_date:
  654. cond_hdr = 'if-unmodified-since'
  655. ret[cond_hdr] = lastmod_ts < arrow.get(unmod_since_date)
  656. return ret
  657. def _process_cond_headers(uid, headers, safe=True):
  658. """
  659. Process the outcome of the evaluation of conditional headers.
  660. This yields different response between safe methods (``HEAD``, ``GET``,
  661. etc.) and unsafe ones (``PUT``, ``DELETE``, etc.
  662. :param str uid: Resource UID.
  663. :param werkzeug.datastructures.EnvironHeaders headers: Incoming request
  664. headers.
  665. :param bool safe: Whether a "safe" method is being processed. Defaults to
  666. True.
  667. """
  668. try:
  669. cond_match = _condition_hdr_match(uid, headers, safe)
  670. except TombstoneError as e:
  671. return _tombstone_response(e, uid)
  672. if cond_match:
  673. if safe:
  674. if 'if-match' in cond_match or 'if-none-match' in cond_match:
  675. # If an expected list of tags is not matched, the response is
  676. # "Precondition Failed". For all other cases, it's "Not Modified".
  677. if not cond_match.get('if-match', True):
  678. return '', 412
  679. if not cond_match.get('if-none-match', True):
  680. return '', 304
  681. # The presence of an Etag-based condition, whether satisfied or not,
  682. # voids the timestamp-based conditions.
  683. elif (
  684. not cond_match.get('if-modified-since', True) or
  685. not cond_match.get('if-unmodified-since', True)):
  686. return '', 304
  687. else:
  688. # Note that If-Modified-Since is only evaluated for safe methods.
  689. if 'if-match' in cond_match or 'if-none-match' in cond_match:
  690. if (
  691. not cond_match.get('if-match', True) or
  692. not cond_match.get('if-none-match', True)):
  693. return '', 412
  694. # The presence of an Etag-based condition, whether satisfied or not,
  695. # voids the timestamp-based conditions.
  696. elif not cond_match.get('if-unmodified-since', True):
  697. return '', 412
  698. def _parse_range_header(ranges, rsrc, headers):
  699. """
  700. Parse a ``Range`` header and return the appropriate response.
  701. """
  702. if len(ranges) == 1:
  703. # Single range.
  704. rng = ranges[0]
  705. logger.debug('Streaming contiguous partial content.')
  706. with open(rsrc.local_path, 'rb') as fh:
  707. size = None if rng[1] is None else rng[1] - rng[0]
  708. hdr_endbyte = (
  709. rsrc.content_size - 1 if rng[1] is None else rng[1] - 1)
  710. fh.seek(rng[0])
  711. out = fh.read(size)
  712. headers['Content-Range'] = \
  713. f'bytes {rng[0]}-{hdr_endbyte} / {rsrc.content_size}'
  714. else:
  715. return make_response('Multiple ranges are not yet supported.', 501)
  716. # TODO Format the response as multipart/byteranges:
  717. # https://tools.ietf.org/html/rfc7233#section-4.1
  718. #out = []
  719. #with open(rsrc.local_path, 'rb') as fh:
  720. # for rng in rng_header.ranges:
  721. # fh.seek(rng[0])
  722. # size = None if rng[1] is None else rng[1] - rng[0]
  723. # out.extend(fh.read(size))
  724. return make_response(out, 206, headers)