ldp.py 19 KB

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