ldp.py 9.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329
  1. import logging
  2. from collections import defaultdict
  3. from uuid import uuid4
  4. from flask import Blueprint, request, send_file
  5. from rdflib import Graph
  6. from werkzeug.datastructures import FileStorage
  7. from lakesuperior.exceptions import InvalidResourceError, \
  8. ResourceExistsError, ResourceNotExistsError, ServerManagedTermError, \
  9. TombstoneError
  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.store_layouts.rdf.base_rdf_layout import BaseRdfLayout
  14. from lakesuperior.util.translator import Translator
  15. logger = logging.getLogger(__name__)
  16. # Blueprint for LDP REST API. This is what is usually found under `/rest/` in
  17. # standard fcrepo4. Here, it is under `/ldp` but initially `/rest` can be kept
  18. # for backward compatibility.
  19. ldp = Blueprint('ldp', __name__)
  20. accept_patch = (
  21. 'application/sparql-update',
  22. )
  23. accept_rdf = (
  24. 'application/ld+json',
  25. 'application/n-triples',
  26. 'application/rdf+xml',
  27. #'application/x-turtle',
  28. #'application/xhtml+xml',
  29. #'application/xml',
  30. #'text/html',
  31. 'text/n3',
  32. #'text/plain',
  33. 'text/rdf+n3',
  34. 'text/turtle',
  35. )
  36. #allow = (
  37. # 'COPY',
  38. # 'DELETE',
  39. # 'GET',
  40. # 'HEAD',
  41. # 'MOVE',
  42. # 'OPTIONS',
  43. # 'PATCH',
  44. # 'POST',
  45. # 'PUT',
  46. #)
  47. std_headers = {
  48. 'Accept-Patch' : ','.join(accept_patch),
  49. 'Accept-Post' : ','.join(accept_rdf),
  50. #'Allow' : ','.join(allow),
  51. }
  52. ## REST SERVICES ##
  53. @ldp.route('/<path:uuid>', methods=['GET'])
  54. @ldp.route('/', defaults={'uuid': None}, methods=['GET'],
  55. strict_slashes=False)
  56. def get_resource(uuid, force_rdf=False):
  57. '''
  58. Retrieve RDF or binary content.
  59. @param uuid (string) UUID of resource to retrieve.
  60. @param force_rdf (boolean) Whether to retrieve RDF even if the resource is
  61. a LDP-NR. This is not available in the API but is used e.g. by the
  62. `*/fcr:metadata` endpoint. The default is False.
  63. '''
  64. out_headers = std_headers
  65. repr_options = defaultdict(dict)
  66. if 'prefer' in request.headers:
  67. prefer = Translator.parse_rfc7240(request.headers['prefer'])
  68. logger.debug('Parsed Prefer header: {}'.format(prefer))
  69. if 'return' in prefer:
  70. repr_options = prefer['return']
  71. try:
  72. rsrc = Ldpr.readonly_inst(uuid, repr_options)
  73. except ResourceNotExistsError as e:
  74. return str(e), 404
  75. except TombstoneError as e:
  76. return _tombstone_response(e, uuid)
  77. else:
  78. out_headers.update(rsrc.head())
  79. if isinstance(rsrc, LdpRs) \
  80. or request.headers['accept'] in accept_rdf \
  81. or force_rdf:
  82. return (rsrc.imr.graph.serialize(format='turtle'), out_headers)
  83. else:
  84. return send_file(rsrc.local_path, as_attachment=True,
  85. attachment_filename=rsrc.filename)
  86. @ldp.route('/<path:uuid>/fcr:metadata', methods=['GET'])
  87. def get_metadata(uuid):
  88. '''
  89. Retrieve RDF metadata of a LDP-NR.
  90. '''
  91. return get_resource(uuid, force_rdf=True)
  92. @ldp.route('/<path:parent>', methods=['POST'])
  93. @ldp.route('/', defaults={'parent': None}, methods=['POST'],
  94. strict_slashes=False)
  95. def post_resource(parent):
  96. '''
  97. Add a new resource in a new URI.
  98. '''
  99. out_headers = std_headers
  100. try:
  101. slug = request.headers['Slug']
  102. except KeyError:
  103. slug = None
  104. cls, data = class_from_req_body()
  105. try:
  106. rsrc = cls.inst_for_post(parent, slug)
  107. except ResourceNotExistsError as e:
  108. return str(e), 404
  109. except InvalidResourceError as e:
  110. return str(e), 409
  111. except TombstoneError as e:
  112. return _tombstone_response(e, uuid)
  113. if cls == LdpNr:
  114. try:
  115. cont_disp = Translator.parse_rfc7240(
  116. request.headers['content-disposition'])
  117. except KeyError:
  118. cont_disp = None
  119. rsrc.post(data, mimetype=request.content_type, disposition=cont_disp)
  120. else:
  121. try:
  122. rsrc.post(data)
  123. except ServerManagedTermError as e:
  124. return str(e), 412
  125. out_headers.update({
  126. 'Location' : rsrc.uri,
  127. })
  128. return rsrc.uri, out_headers, 201
  129. @ldp.route('/<path:uuid>', methods=['PUT'])
  130. def put_resource(uuid):
  131. '''
  132. Add a new resource at a specified URI.
  133. '''
  134. logger.info('Request headers: {}'.format(request.headers))
  135. rsp_headers = std_headers
  136. cls, data = class_from_req_body()
  137. rsrc = cls(uuid)
  138. # Parse headers.
  139. pref_handling = None
  140. if cls == LdpNr:
  141. try:
  142. logger.debug('Headers: {}'.format(request.headers))
  143. cont_disp = Translator.parse_rfc7240(
  144. request.headers['content-disposition'])
  145. except KeyError:
  146. cont_disp = None
  147. try:
  148. ret = rsrc.put(data, disposition=cont_disp)
  149. except InvalidResourceError as e:
  150. return str(e), 409
  151. except ResourceExistsError as e:
  152. return str(e), 409
  153. except TombstoneError as e:
  154. return _tombstone_response(e, uuid)
  155. else:
  156. if 'prefer' in request.headers:
  157. prefer = Translator.parse_rfc7240(request.headers['prefer'])
  158. logger.debug('Parsed Prefer header: {}'.format(prefer))
  159. if 'handling' in prefer:
  160. pref_handling = prefer['handling']['value']
  161. try:
  162. ret = rsrc.put(data, handling=pref_handling)
  163. except InvalidResourceError as e:
  164. return str(e), 409
  165. except ResourceExistsError as e:
  166. return str(e), 409
  167. except TombstoneError as e:
  168. return _tombstone_response(e, uuid)
  169. except ServerManagedTermError as e:
  170. return str(e), 412
  171. res_code = 201 if ret == BaseRdfLayout.RES_CREATED else 204
  172. return '', res_code, rsp_headers
  173. @ldp.route('/<path:uuid>', methods=['PATCH'])
  174. def patch_resource(uuid):
  175. '''
  176. Update an existing resource with a SPARQL-UPDATE payload.
  177. '''
  178. headers = std_headers
  179. rsrc = Ldpc(uuid)
  180. try:
  181. rsrc.patch(request.get_data().decode('utf-8'))
  182. except ResourceNotExistsError as e:
  183. return str(e), 404
  184. except TombstoneError as e:
  185. return _tombstone_response(e, uuid)
  186. except ServerManagedTermError as e:
  187. return str(e), 412
  188. return '', 204, headers
  189. @ldp.route('/<path:uuid>', methods=['DELETE'])
  190. def delete_resource(uuid):
  191. '''
  192. Delete a resource.
  193. '''
  194. headers = std_headers
  195. rsrc = Ldpc(uuid)
  196. try:
  197. rsrc.delete()
  198. except ResourceNotExistsError as e:
  199. return str(e), 404
  200. except TombstoneError as e:
  201. return _tombstone_response(e, uuid)
  202. return '', 204, headers
  203. @ldp.route('/<path:uuid>/fcr:tombstone', methods=['GET', 'POST', 'PUT',
  204. 'PATCH', 'DELETE'])
  205. def tombstone(uuid):
  206. '''
  207. Handle all tombstone operations.
  208. The only allowed method is DELETE; any other verb will return a 405.
  209. '''
  210. logger.debug('Deleting tombstone for {}.'.format(uuid))
  211. rsrc = Ldpr(uuid, {'value' : 'minimal'})
  212. try:
  213. imr = rsrc.imr
  214. except TombstoneError as e:
  215. if request.method == 'DELETE':
  216. if e.uuid == uuid:
  217. rsrc.delete_tombstone()
  218. return '', 204
  219. else:
  220. return _tombstone_response(e, uuid)
  221. else:
  222. return 'Method Not Allowed.', 405
  223. except ResourceNotExistsError as e:
  224. return str(e), 404
  225. else:
  226. return '', 404
  227. def class_from_req_body():
  228. '''
  229. Determine LDP type (and instance class) from the provided RDF body.
  230. '''
  231. logger.debug('Content type: {}'.format(request.mimetype))
  232. logger.debug('files: {}'.format(request.files))
  233. logger.debug('stream: {}'.format(request.stream))
  234. # LDP-NR types
  235. if not request.data:
  236. logger.debug('No data received in body.')
  237. cls = Ldpc
  238. data = None
  239. elif request.mimetype in accept_rdf:
  240. # Parse out the RDF string.
  241. data = request.data.decode('utf-8')
  242. g = Graph().parse(data=data, format=request.mimetype)
  243. if Ldpr.MBR_RSRC_URI in g.predicates() and \
  244. Ldpr.MBR_REL_URI in g.predicates():
  245. if Ldpr.INS_CNT_REL_URI in g.predicates():
  246. cls = LdpIc
  247. else:
  248. cls = LdpDc
  249. else:
  250. cls = Ldpc
  251. else:
  252. cls = LdpNr
  253. if request.mimetype == 'multipart/form-data':
  254. # This seems the "right" way to upload a binary file, with a
  255. # multipart/form-data MIME type and the file in the `file`
  256. # field. This however is not supported by FCREPO4.
  257. data = request.files.get('file').stream
  258. else:
  259. # This is a less clean way, with the file in the form body and
  260. # the request as application/x-www-form-urlencoded.
  261. # This is how FCREPO4 accepts binary uploads.
  262. data = request.stream
  263. logger.info('Creating resource of type: {}'.format(cls.__name__))
  264. return cls, data
  265. def _get_bitstream(rsrc):
  266. out_headers = std_headers
  267. # @TODO This may change in favor of more low-level handling if the file
  268. # system is not local.
  269. return send_file(rsrc.local_path, as_attachment=True,
  270. attachment_filename=rsrc.filename)
  271. def _tombstone_response(e, uuid):
  272. headers = {
  273. 'Link' : '<{}/fcr:tombstone>; rel="hasTombstone"'.format(request.url),
  274. } if e.uuid == uuid else {}
  275. return str(e), 410, headers