ldp.py 19 KB

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