ldp.py 19 KB

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