ldp.py 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423
  1. import logging
  2. from collections import defaultdict
  3. from uuid import uuid4
  4. from flask import Blueprint, current_app, g, request, send_file, url_for
  5. from rdflib import Graph
  6. from rdflib.namespace import RDF, XSD
  7. from werkzeug.datastructures import FileStorage
  8. from lakesuperior.dictionaries.namespaces import ns_collection as nsc
  9. from lakesuperior.exceptions import *
  10. from lakesuperior.model.ldpr import Ldpr
  11. from lakesuperior.model.ldp_nr import LdpNr
  12. from lakesuperior.model.ldp_rs import Ldpc, LdpDc, LdpIc, LdpRs
  13. from lakesuperior.toolbox import Toolbox
  14. logger = logging.getLogger(__name__)
  15. # Blueprint for LDP REST API. This is what is usually found under `/rest/` in
  16. # standard fcrepo4. Here, it is under `/ldp` but initially `/rest` can be kept
  17. # for backward compatibility.
  18. ldp = Blueprint('ldp', __name__)
  19. accept_patch = (
  20. 'application/sparql-update',
  21. )
  22. accept_rdf = (
  23. 'application/ld+json',
  24. 'application/n-triples',
  25. 'application/rdf+xml',
  26. #'application/x-turtle',
  27. #'application/xhtml+xml',
  28. #'application/xml',
  29. #'text/html',
  30. 'text/n3',
  31. #'text/plain',
  32. 'text/rdf+n3',
  33. 'text/turtle',
  34. )
  35. #allow = (
  36. # 'COPY',
  37. # 'DELETE',
  38. # 'GET',
  39. # 'HEAD',
  40. # 'MOVE',
  41. # 'OPTIONS',
  42. # 'PATCH',
  43. # 'POST',
  44. # 'PUT',
  45. #)
  46. std_headers = {
  47. 'Accept-Patch' : ','.join(accept_patch),
  48. 'Accept-Post' : ','.join(accept_rdf),
  49. #'Allow' : ','.join(allow),
  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. ## REST SERVICES ##
  60. @ldp.route('/<path:uuid>', methods=['GET'])
  61. @ldp.route('/', defaults={'uuid': None}, methods=['GET'], strict_slashes=False)
  62. def get_resource(uuid, force_rdf=False):
  63. '''
  64. Retrieve RDF or binary content.
  65. @param uuid (string) UUID of resource to retrieve.
  66. @param force_rdf (boolean) Whether to retrieve RDF even if the resource is
  67. a LDP-NR. This is not available in the API but is used e.g. by the
  68. `*/fcr:metadata` endpoint. The default is False.
  69. '''
  70. out_headers = std_headers
  71. repr_options = defaultdict(dict)
  72. if 'prefer' in request.headers:
  73. prefer = Toolbox().parse_rfc7240(request.headers['prefer'])
  74. logger.debug('Parsed Prefer header: {}'.format(prefer))
  75. if 'return' in prefer:
  76. repr_options = parse_repr_options(prefer['return'])
  77. try:
  78. rsrc = Ldpr.outbound_inst(uuid, repr_options)
  79. except ResourceNotExistsError as e:
  80. return str(e), 404
  81. except TombstoneError as e:
  82. return _tombstone_response(e, uuid)
  83. else:
  84. out_headers.update(rsrc.head())
  85. if isinstance(rsrc, LdpRs) \
  86. or request.headers['accept'] in accept_rdf \
  87. or force_rdf:
  88. return (rsrc.get(), out_headers)
  89. else:
  90. return send_file(rsrc.local_path, as_attachment=True,
  91. attachment_filename=rsrc.filename)
  92. @ldp.route('/<path:uuid>/fcr:metadata', methods=['GET'])
  93. def get_metadata(uuid):
  94. '''
  95. Retrieve RDF metadata of a LDP-NR.
  96. '''
  97. return get_resource(uuid, force_rdf=True)
  98. @ldp.route('/<path:parent>', methods=['POST'])
  99. @ldp.route('/', defaults={'parent': None}, methods=['POST'],
  100. strict_slashes=False)
  101. def post_resource(parent):
  102. '''
  103. Add a new resource in a new URI.
  104. '''
  105. out_headers = std_headers
  106. try:
  107. slug = request.headers['Slug']
  108. except KeyError:
  109. slug = None
  110. handling, disposition = set_post_put_params()
  111. stream, mimetype = bitstream_from_req()
  112. try:
  113. uuid = uuid_for_post(parent, slug)
  114. rsrc = Ldpr.inbound_inst(uuid, content_length=request.content_length,
  115. stream=stream, mimetype=mimetype, handling=handling,
  116. disposition=disposition)
  117. except ResourceNotExistsError as e:
  118. return str(e), 404
  119. except InvalidResourceError as e:
  120. return str(e), 409
  121. except TombstoneError as e:
  122. return _tombstone_response(e, uuid)
  123. try:
  124. rsrc.post()
  125. except ServerManagedTermError as e:
  126. return str(e), 412
  127. out_headers.update({
  128. 'Location' : rsrc.uri,
  129. })
  130. return rsrc.uri, 201, out_headers
  131. @ldp.route('/<path:uuid>', methods=['PUT'])
  132. def put_resource(uuid):
  133. '''
  134. Add a new resource at a specified URI.
  135. '''
  136. # Parse headers.
  137. logger.info('Request headers: {}'.format(request.headers))
  138. rsp_headers = std_headers
  139. handling, disposition = set_post_put_params()
  140. stream, mimetype = bitstream_from_req()
  141. try:
  142. rsrc = Ldpr.inbound_inst(uuid, content_length=request.content_length,
  143. stream=stream, mimetype=mimetype, handling=handling,
  144. disposition=disposition)
  145. except ServerManagedTermError as e:
  146. return str(e), 412
  147. except IncompatibleLdpTypeError as e:
  148. return str(e), 415
  149. try:
  150. ret = rsrc.put()
  151. except (InvalidResourceError, ResourceExistsError ) as e:
  152. return str(e), 409
  153. except TombstoneError as e:
  154. return _tombstone_response(e, uuid)
  155. res_code = 201 if ret == Ldpr.RES_CREATED else 204
  156. return '', res_code, rsp_headers
  157. @ldp.route('/<path:uuid>', methods=['PATCH'])
  158. def patch_resource(uuid):
  159. '''
  160. Update an existing resource with a SPARQL-UPDATE payload.
  161. '''
  162. headers = std_headers
  163. rsrc = Ldpc(uuid)
  164. try:
  165. rsrc.patch(request.get_data().decode('utf-8'))
  166. except ResourceNotExistsError as e:
  167. return str(e), 404
  168. except TombstoneError as e:
  169. return _tombstone_response(e, uuid)
  170. except ServerManagedTermError as e:
  171. return str(e), 412
  172. return '', 204, headers
  173. @ldp.route('/<path:uuid>', methods=['DELETE'])
  174. def delete_resource(uuid):
  175. '''
  176. Delete a resource.
  177. '''
  178. headers = std_headers
  179. # If referential integrity is enforced, grab all inbound relationships
  180. # to break them.
  181. repr_opts = {'incl_inbound' : True} \
  182. if current_app.config['store']['ldp_rs']['referential_integrity'] \
  183. else {}
  184. if 'prefer' in request.headers:
  185. prefer = Toolbox().parse_rfc7240(request.headers['prefer'])
  186. leave_tstone = 'no-tombstone' not in prefer
  187. else:
  188. leave_tstone = True
  189. try:
  190. Ldpr.outbound_inst(uuid, repr_opts).delete(leave_tstone=leave_tstone)
  191. except ResourceNotExistsError as e:
  192. return str(e), 404
  193. except TombstoneError as e:
  194. return _tombstone_response(e, uuid)
  195. return '', 204, headers
  196. @ldp.route('/<path:uuid>/fcr:tombstone', methods=['GET', 'POST', 'PUT',
  197. 'PATCH', 'DELETE'])
  198. def tombstone(uuid):
  199. '''
  200. Handle all tombstone operations.
  201. The only allowed method is DELETE; any other verb will return a 405.
  202. '''
  203. logger.debug('Deleting tombstone for {}.'.format(uuid))
  204. rsrc = Ldpr(uuid)
  205. try:
  206. imr = rsrc.imr
  207. except TombstoneError as e:
  208. if request.method == 'DELETE':
  209. if e.uuid == uuid:
  210. rsrc.delete_tombstone()
  211. return '', 204
  212. else:
  213. return _tombstone_response(e, uuid)
  214. else:
  215. return 'Method Not Allowed.', 405
  216. except ResourceNotExistsError as e:
  217. return str(e), 404
  218. else:
  219. return '', 404
  220. def uuid_for_post(parent_uuid=None, slug=None):
  221. '''
  222. Validate conditions to perform a POST and return an LDP resource
  223. UUID for using with the `post` method.
  224. This may raise an exception resulting in a 404 if the parent is not
  225. found or a 409 if the parent is not a valid container.
  226. '''
  227. # Shortcut!
  228. if not slug and not parent_uuid:
  229. return str(uuid4())
  230. parent = Ldpr.outbound_inst(parent_uuid, repr_opts={'incl_children' : False})
  231. # Set prefix.
  232. if parent_uuid:
  233. parent_types = { t.identifier for t in \
  234. parent.imr.objects(RDF.type) }
  235. logger.debug('Parent types: {}'.format(
  236. parent_types))
  237. if nsc['ldp'].Container not in parent_types:
  238. raise InvalidResourceError('Parent {} is not a container.'
  239. .format(parent_uuid))
  240. pfx = parent_uuid + '/'
  241. else:
  242. pfx = ''
  243. # Create candidate UUID and validate.
  244. if slug:
  245. cnd_uuid = pfx + slug
  246. if current_app.rdfly.ask_rsrc_exists(nsc['fcres'][cnd_uuid]):
  247. uuid = pfx + str(uuid4())
  248. else:
  249. uuid = cnd_uuid
  250. else:
  251. uuid = pfx + str(uuid4())
  252. return uuid
  253. def bitstream_from_req():
  254. '''
  255. Find how a binary file and its MIMEtype were uploaded in the request.
  256. '''
  257. logger.debug('Content type: {}'.format(request.mimetype))
  258. logger.debug('files: {}'.format(request.files))
  259. logger.debug('stream: {}'.format(request.stream))
  260. if request.mimetype == 'multipart/form-data':
  261. # This seems the "right" way to upload a binary file, with a
  262. # multipart/form-data MIME type and the file in the `file`
  263. # field. This however is not supported by FCREPO4.
  264. stream = request.files.get('file').stream
  265. mimetype = request.files.get('file').content_type
  266. # @TODO This will turn out useful to provide metadata
  267. # with the binary.
  268. #metadata = request.files.get('metadata').stream
  269. #provided_imr = [parse RDF here...]
  270. else:
  271. # This is a less clean way, with the file in the form body and
  272. # the request as application/x-www-form-urlencoded.
  273. # This is how FCREPO4 accepts binary uploads.
  274. stream = request.stream
  275. mimetype = request.mimetype
  276. return stream, mimetype
  277. def _get_bitstream(rsrc):
  278. out_headers = std_headers
  279. # @TODO This may change in favor of more low-level handling if the file
  280. # system is not local.
  281. return send_file(rsrc.local_path, as_attachment=True,
  282. attachment_filename=rsrc.filename)
  283. def _tombstone_response(e, uuid):
  284. headers = {
  285. 'Link' : '<{}/fcr:tombstone>; rel="hasTombstone"'.format(request.url),
  286. } if e.uuid == uuid else {}
  287. return str(e), 410, headers
  288. def set_post_put_params():
  289. '''
  290. Sets handling and content disposition for POST and PUT by parsing headers.
  291. '''
  292. handling = None
  293. if 'prefer' in request.headers:
  294. prefer = Toolbox().parse_rfc7240(request.headers['prefer'])
  295. logger.debug('Parsed Prefer header: {}'.format(prefer))
  296. if 'handling' in prefer:
  297. handling = prefer['handling']['value']
  298. try:
  299. disposition = Toolbox().parse_rfc7240(
  300. request.headers['content-disposition'])
  301. except KeyError:
  302. disposition = None
  303. return handling, disposition
  304. def parse_repr_options(retr_opts):
  305. '''
  306. Set options to retrieve IMR.
  307. Ideally, IMR retrieval is done once per request, so all the options
  308. are set once in the `imr()` property.
  309. @param retr_opts (dict): Options parsed from `Prefer` header.
  310. '''
  311. logger.debug('Parsing retrieval options: {}'.format(retr_opts))
  312. imr_options = {}
  313. if retr_opts.setdefault('value') == 'minimal':
  314. imr_options = {
  315. 'embed_children' : False,
  316. 'incl_children' : False,
  317. 'incl_inbound' : False,
  318. 'incl_srv_mgd' : False,
  319. }
  320. else:
  321. # Default.
  322. imr_options = {
  323. 'embed_children' : False,
  324. 'incl_children' : True,
  325. 'incl_inbound' : False,
  326. 'incl_srv_mgd' : True,
  327. }
  328. # Override defaults.
  329. if 'parameters' in retr_opts:
  330. include = retr_opts['parameters']['include'].split(' ') \
  331. if 'include' in retr_opts['parameters'] else []
  332. omit = retr_opts['parameters']['omit'].split(' ') \
  333. if 'omit' in retr_opts['parameters'] else []
  334. logger.debug('Include: {}'.format(include))
  335. logger.debug('Omit: {}'.format(omit))
  336. if str(Ldpr.EMBED_CHILD_RES_URI) in include:
  337. imr_options['embed_children'] = True
  338. if str(Ldpr.RETURN_CHILD_RES_URI) in omit:
  339. imr_options['incl_children'] = False
  340. if str(Ldpr.RETURN_INBOUND_REF_URI) in include:
  341. imr_options['incl_inbound'] = True
  342. if str(Ldpr.RETURN_SRV_MGD_RES_URI) in omit:
  343. imr_options['incl_srv_mgd'] = False
  344. logger.debug('Retrieval options: {}'.format(imr_options))
  345. return imr_options