ldp.py 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615
  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': ''}, 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', 'PUT'])
  187. def post_version(uid):
  188. '''
  189. Create a new resource version.
  190. '''
  191. if request.method == 'PUT':
  192. return 'Method not allowed.', 405
  193. ver_uid = request.headers.get('slug', None)
  194. try:
  195. ver_uri = LdpFactory.from_stored(uid).create_version(ver_uid)
  196. except ResourceNotExistsError as e:
  197. return str(e), 404
  198. except InvalidResourceError as e:
  199. return str(e), 409
  200. except TombstoneError as e:
  201. return _tombstone_response(e, uid)
  202. else:
  203. return '', 201, {'Location': ver_uri}
  204. @ldp.route('/<path:uid>/fcr:versions/<ver_uid>', methods=['PATCH'])
  205. def patch_version(uid, ver_uid):
  206. '''
  207. Revert to a previous version.
  208. NOTE: This creates a new version snapshot.
  209. @param uid (string) Resource UID.
  210. @param ver_uid (string) Version UID.
  211. '''
  212. try:
  213. LdpFactory.from_stored(uid).revert_to_version(ver_uid)
  214. except ResourceNotExistsError as e:
  215. return str(e), 404
  216. except InvalidResourceError as e:
  217. return str(e), 409
  218. except TombstoneError as e:
  219. return _tombstone_response(e, uid)
  220. else:
  221. return '', 204
  222. @ldp.route('/<path:uid>', methods=['PUT'], strict_slashes=False)
  223. @ldp.route('/<path:uid>/fcr:metadata', defaults={'force_rdf' : True},
  224. methods=['PUT'])
  225. def put_resource(uid):
  226. '''
  227. Add a new resource at a specified URI.
  228. '''
  229. # Parse headers.
  230. logger.info('Request headers: {}'.format(request.headers))
  231. rsp_headers = {'Content-Type' : 'text/plain; charset=utf-8'}
  232. handling, disposition = set_post_put_params()
  233. stream, mimetype = bitstream_from_req()
  234. try:
  235. rsrc = LdpFactory.from_provided(uid, content_length=request.content_length,
  236. stream=stream, mimetype=mimetype, handling=handling,
  237. disposition=disposition)
  238. if not request.content_length and rsrc.is_stored:
  239. raise InvalidResourceError(rsrc.uid,
  240. 'Resource {} already exists and no data set was provided.')
  241. except InvalidResourceError as e:
  242. return str(e), 409
  243. except (ServerManagedTermError, SingleSubjectError) as e:
  244. return str(e), 412
  245. except IncompatibleLdpTypeError as e:
  246. return str(e), 415
  247. try:
  248. ret = rsrc.put()
  249. except (InvalidResourceError, ResourceExistsError) as e:
  250. return str(e), 409
  251. except TombstoneError as e:
  252. return _tombstone_response(e, uid)
  253. rsp_headers.update(rsrc.head())
  254. if ret == Ldpr.RES_CREATED:
  255. rsp_code = 201
  256. rsp_headers['Location'] = rsp_body = rsrc.uri
  257. if isinstance(rsrc, LdpNr):
  258. rsp_headers['Link'] = '<{0}/fcr:metadata>; rel="describedby"'\
  259. .format(rsrc.uri)
  260. else:
  261. rsp_code = 204
  262. rsp_body = ''
  263. return rsp_body, rsp_code, rsp_headers
  264. @ldp.route('/<path:uid>', methods=['PATCH'], strict_slashes=False)
  265. def patch_resource(uid):
  266. '''
  267. Update an existing resource with a SPARQL-UPDATE payload.
  268. '''
  269. rsp_headers = {'Content-Type' : 'text/plain; charset=utf-8'}
  270. rsrc = LdpRs(uid)
  271. if request.mimetype != 'application/sparql-update':
  272. return 'Provided content type is not a valid parsable format: {}'\
  273. .format(request.mimetype), 415
  274. try:
  275. rsrc.patch(request.get_data().decode('utf-8'))
  276. except ResourceNotExistsError as e:
  277. return str(e), 404
  278. except TombstoneError as e:
  279. return _tombstone_response(e, uid)
  280. except (ServerManagedTermError, SingleSubjectError) as e:
  281. return str(e), 412
  282. else:
  283. rsp_headers.update(rsrc.head())
  284. return '', 204, rsp_headers
  285. @ldp.route('/<path:uid>/fcr:metadata', methods=['PATCH'])
  286. def patch_resource_metadata(uid):
  287. return patch_resource(uid)
  288. @ldp.route('/<path:uid>', methods=['DELETE'])
  289. def delete_resource(uid):
  290. '''
  291. Delete a resource and optionally leave a tombstone.
  292. This behaves differently from FCREPO. A tombstone indicated that the
  293. resource is no longer available at its current location, but its historic
  294. snapshots still are. Also, deleting a resource with a tombstone creates
  295. one more version snapshot of the resource prior to being deleted.
  296. In order to completely wipe out all traces of a resource, the tombstone
  297. must be deleted as well, or the `Prefer:no-tombstone` header can be used.
  298. The latter will purge the resource immediately.
  299. '''
  300. headers = std_headers
  301. # If referential integrity is enforced, grab all inbound relationships
  302. # to break them.
  303. repr_opts = {'incl_inbound' : True} \
  304. if current_app.config['store']['ldp_rs']['referential_integrity'] \
  305. else {}
  306. if 'prefer' in request.headers:
  307. prefer = g.tbox.parse_rfc7240(request.headers['prefer'])
  308. leave_tstone = 'no-tombstone' not in prefer
  309. else:
  310. leave_tstone = True
  311. try:
  312. LdpFactory.from_stored(uid, repr_opts).delete(
  313. leave_tstone=leave_tstone)
  314. except ResourceNotExistsError as e:
  315. return str(e), 404
  316. except TombstoneError as e:
  317. return _tombstone_response(e, uid)
  318. return '', 204, headers
  319. @ldp.route('/<path:uid>/fcr:tombstone', methods=['GET', 'POST', 'PUT',
  320. 'PATCH', 'DELETE'])
  321. def tombstone(uid):
  322. '''
  323. Handle all tombstone operations.
  324. The only allowed methods are POST and DELETE; any other verb will return a
  325. 405.
  326. '''
  327. logger.debug('Deleting tombstone for {}.'.format(uid))
  328. rsrc = Ldpr(uid)
  329. try:
  330. metadata = rsrc.metadata
  331. except TombstoneError as e:
  332. if request.method == 'DELETE':
  333. if e.uid == uid:
  334. rsrc.purge()
  335. return '', 204
  336. else:
  337. return _tombstone_response(e, uid)
  338. elif request.method == 'POST':
  339. if e.uid == uid:
  340. rsrc_uri = rsrc.resurrect()
  341. headers = {'Location' : rsrc_uri}
  342. return rsrc_uri, 201, headers
  343. else:
  344. return _tombstone_response(e, uid)
  345. else:
  346. return 'Method Not Allowed.', 405
  347. except ResourceNotExistsError as e:
  348. return str(e), 404
  349. else:
  350. return '', 404
  351. def negotiate_content(rsp, headers=None):
  352. '''
  353. Return HTML or serialized RDF depending on accept headers.
  354. '''
  355. if request.accept_mimetypes.best == 'text/html':
  356. rsrc = rsp.resource(request.path)
  357. return render_template(
  358. 'resource.html', rsrc=rsrc, nsm=nsm,
  359. blacklist = vw_blacklist)
  360. else:
  361. for p in vw_blacklist:
  362. rsp.remove((None, p, None))
  363. return (rsp.serialize(format='turtle'), headers)
  364. def uuid_for_post(parent_uid, slug=None):
  365. '''
  366. Validate conditions to perform a POST and return an LDP resource
  367. UID for using with the `post` method.
  368. This may raise an exception resulting in a 404 if the parent is not
  369. found or a 409 if the parent is not a valid container.
  370. '''
  371. def split_if_legacy(uid):
  372. if current_app.config['store']['ldp_rs']['legacy_ptree_split']:
  373. uid = g.tbox.split_uuid(uid)
  374. return uid
  375. # Shortcut!
  376. if not slug and parent_uid == '':
  377. uid = split_if_legacy(str(uuid4()))
  378. return uid
  379. parent = LdpFactory.from_stored(parent_uid,
  380. repr_opts={'incl_children' : False})
  381. if nsc['fcrepo'].Pairtree in parent.types:
  382. raise InvalidResourceError(parent.uid,
  383. 'Resource {} cannot be created under a pairtree.')
  384. # Set prefix.
  385. if parent_uid:
  386. logger.debug('Parent types: {}'.format(pformat(parent.types)))
  387. if nsc['ldp'].Container not in parent.types:
  388. raise InvalidResourceError(parent_uid,
  389. 'Parent {} is not a container.')
  390. pfx = parent_uid + '/'
  391. else:
  392. pfx = ''
  393. # Create candidate UID and validate.
  394. if slug:
  395. cnd_uid = pfx + slug
  396. if current_app.rdfly.ask_rsrc_exists(cnd_uid):
  397. uid = pfx + split_if_legacy(str(uuid4()))
  398. else:
  399. uid = cnd_uid
  400. else:
  401. uid = pfx + split_if_legacy(str(uuid4()))
  402. return uid
  403. def bitstream_from_req():
  404. '''
  405. Find how a binary file and its MIMEtype were uploaded in the request.
  406. '''
  407. logger.debug('Content type: {}'.format(request.mimetype))
  408. logger.debug('files: {}'.format(request.files))
  409. logger.debug('stream: {}'.format(request.stream))
  410. if request.mimetype == 'multipart/form-data':
  411. # This seems the "right" way to upload a binary file, with a
  412. # multipart/form-data MIME type and the file in the `file`
  413. # field. This however is not supported by FCREPO4.
  414. stream = request.files.get('file').stream
  415. mimetype = request.files.get('file').content_type
  416. # @TODO This will turn out useful to provide metadata
  417. # with the binary.
  418. #metadata = request.files.get('metadata').stream
  419. #provided_imr = [parse RDF here...]
  420. else:
  421. # This is a less clean way, with the file in the form body and
  422. # the request as application/x-www-form-urlencoded.
  423. # This is how FCREPO4 accepts binary uploads.
  424. stream = request.stream
  425. mimetype = request.mimetype
  426. return stream, mimetype
  427. def _get_bitstream(rsrc):
  428. out_headers = std_headers
  429. # @TODO This may change in favor of more low-level handling if the file
  430. # system is not local.
  431. return send_file(rsrc.local_path, as_attachment=True,
  432. attachment_filename=rsrc.filename)
  433. def _tombstone_response(e, uid):
  434. headers = {
  435. 'Link' : '<{}/fcr:tombstone>; rel="hasTombstone"'.format(request.url),
  436. } if e.uid == uid else {}
  437. return str(e), 410, headers
  438. def set_post_put_params():
  439. '''
  440. Sets handling and content disposition for POST and PUT by parsing headers.
  441. '''
  442. handling = None
  443. if 'prefer' in request.headers:
  444. prefer = g.tbox.parse_rfc7240(request.headers['prefer'])
  445. logger.debug('Parsed Prefer header: {}'.format(prefer))
  446. if 'handling' in prefer:
  447. handling = prefer['handling']['value']
  448. try:
  449. disposition = g.tbox.parse_rfc7240(
  450. request.headers['content-disposition'])
  451. except KeyError:
  452. disposition = None
  453. return handling, disposition
  454. def is_accept_hdr_rdf_parsable():
  455. '''
  456. Check if any of the 'Accept' header values provided is a RDF parsable
  457. format.
  458. '''
  459. for mimetype in request.accept_mimetypes.values():
  460. if LdpFactory.is_rdf_parsable(mimetype):
  461. return True
  462. return False
  463. def parse_repr_options(retr_opts):
  464. '''
  465. Set options to retrieve IMR.
  466. Ideally, IMR retrieval is done once per request, so all the options
  467. are set once in the `imr()` property.
  468. @param retr_opts (dict): Options parsed from `Prefer` header.
  469. '''
  470. logger.debug('Parsing retrieval options: {}'.format(retr_opts))
  471. imr_options = {}
  472. if retr_opts.get('value') == 'minimal':
  473. imr_options = {
  474. 'embed_children' : False,
  475. 'incl_children' : False,
  476. 'incl_inbound' : False,
  477. 'incl_srv_mgd' : False,
  478. }
  479. else:
  480. # Default.
  481. imr_options = {
  482. 'embed_children' : False,
  483. 'incl_children' : True,
  484. 'incl_inbound' : False,
  485. 'incl_srv_mgd' : True,
  486. }
  487. # Override defaults.
  488. if 'parameters' in retr_opts:
  489. include = retr_opts['parameters']['include'].split(' ') \
  490. if 'include' in retr_opts['parameters'] else []
  491. omit = retr_opts['parameters']['omit'].split(' ') \
  492. if 'omit' in retr_opts['parameters'] else []
  493. logger.debug('Include: {}'.format(include))
  494. logger.debug('Omit: {}'.format(omit))
  495. if str(Ldpr.EMBED_CHILD_RES_URI) in include:
  496. imr_options['embed_children'] = True
  497. if str(Ldpr.RETURN_CHILD_RES_URI) in omit:
  498. imr_options['incl_children'] = False
  499. if str(Ldpr.RETURN_INBOUND_REF_URI) in include:
  500. imr_options['incl_inbound'] = True
  501. if str(Ldpr.RETURN_SRV_MGD_RES_URI) in omit:
  502. imr_options['incl_srv_mgd'] = False
  503. logger.debug('Retrieval options: {}'.format(pformat(imr_options)))
  504. return imr_options