ldp.py 9.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339
  1. import logging
  2. from collections import defaultdict
  3. from uuid import uuid4
  4. from flask import Blueprint, g, request, send_file, url_for
  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.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 = prefer['return']
  77. try:
  78. rsrc = Ldpr.readonly_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.out_graph.serialize(format='turtle'), 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. cls, data = class_from_req_body()
  111. try:
  112. rsrc = cls.inst_for_post(parent, slug)
  113. except ResourceNotExistsError as e:
  114. return str(e), 404
  115. except InvalidResourceError as e:
  116. return str(e), 409
  117. except TombstoneError as e:
  118. return _tombstone_response(e, uuid)
  119. if cls == LdpNr:
  120. try:
  121. cont_disp = Toolbox().parse_rfc7240(
  122. request.headers['content-disposition'])
  123. except KeyError:
  124. cont_disp = None
  125. rsrc.post(data, mimetype=request.content_type, disposition=cont_disp)
  126. else:
  127. try:
  128. rsrc.post(data)
  129. except ServerManagedTermError as e:
  130. return str(e), 412
  131. out_headers.update({
  132. 'Location' : rsrc.uri,
  133. })
  134. return rsrc.uri, 201, out_headers
  135. @ldp.route('/<path:uuid>', methods=['PUT'])
  136. def put_resource(uuid):
  137. '''
  138. Add a new resource at a specified URI.
  139. '''
  140. logger.info('Request headers: {}'.format(request.headers))
  141. rsp_headers = std_headers
  142. cls, data = class_from_req_body()
  143. rsrc = cls(uuid)
  144. # Parse headers.
  145. pref_handling = None
  146. if cls == LdpNr:
  147. try:
  148. logger.debug('Headers: {}'.format(request.headers))
  149. cont_disp = Toolbox().parse_rfc7240(
  150. request.headers['content-disposition'])
  151. except KeyError:
  152. cont_disp = None
  153. try:
  154. ret = rsrc.put(data, disposition=cont_disp,
  155. mimetype=request.content_type)
  156. except InvalidResourceError as e:
  157. return str(e), 409
  158. except ResourceExistsError as e:
  159. return str(e), 409
  160. except TombstoneError as e:
  161. return _tombstone_response(e, uuid)
  162. else:
  163. if 'prefer' in request.headers:
  164. prefer = Toolbox().parse_rfc7240(request.headers['prefer'])
  165. logger.debug('Parsed Prefer header: {}'.format(prefer))
  166. if 'handling' in prefer:
  167. pref_handling = prefer['handling']['value']
  168. try:
  169. ret = rsrc.put(data, handling=pref_handling)
  170. except InvalidResourceError as e:
  171. return str(e), 409
  172. except ResourceExistsError as e:
  173. return str(e), 409
  174. except TombstoneError as e:
  175. return _tombstone_response(e, uuid)
  176. except ServerManagedTermError as e:
  177. return str(e), 412
  178. res_code = 201 if ret == Ldpr.RES_CREATED else 204
  179. return '', res_code, rsp_headers
  180. @ldp.route('/<path:uuid>', methods=['PATCH'])
  181. def patch_resource(uuid):
  182. '''
  183. Update an existing resource with a SPARQL-UPDATE payload.
  184. '''
  185. headers = std_headers
  186. rsrc = Ldpc(uuid)
  187. try:
  188. rsrc.patch(request.get_data().decode('utf-8'))
  189. except ResourceNotExistsError as e:
  190. return str(e), 404
  191. except TombstoneError as e:
  192. return _tombstone_response(e, uuid)
  193. except ServerManagedTermError as e:
  194. return str(e), 412
  195. return '', 204, headers
  196. @ldp.route('/<path:uuid>', methods=['DELETE'])
  197. def delete_resource(uuid):
  198. '''
  199. Delete a resource.
  200. '''
  201. headers = std_headers
  202. rsrc = Ldpc(uuid)
  203. try:
  204. rsrc.delete()
  205. except ResourceNotExistsError as e:
  206. return str(e), 404
  207. except TombstoneError as e:
  208. return _tombstone_response(e, uuid)
  209. return '', 204, headers
  210. @ldp.route('/<path:uuid>/fcr:tombstone', methods=['GET', 'POST', 'PUT',
  211. 'PATCH', 'DELETE'])
  212. def tombstone(uuid):
  213. '''
  214. Handle all tombstone operations.
  215. The only allowed method is DELETE; any other verb will return a 405.
  216. '''
  217. logger.debug('Deleting tombstone for {}.'.format(uuid))
  218. rsrc = Ldpr(uuid, {'value' : 'minimal'})
  219. try:
  220. imr = rsrc.imr
  221. except TombstoneError as e:
  222. if request.method == 'DELETE':
  223. if e.uuid == uuid:
  224. rsrc.delete_tombstone()
  225. return '', 204
  226. else:
  227. return _tombstone_response(e, uuid)
  228. else:
  229. return 'Method Not Allowed.', 405
  230. except ResourceNotExistsError as e:
  231. return str(e), 404
  232. else:
  233. return '', 404
  234. def class_from_req_body():
  235. '''
  236. Determine LDP type (and instance class) from the provided RDF body.
  237. '''
  238. logger.debug('Content type: {}'.format(request.mimetype))
  239. logger.debug('files: {}'.format(request.files))
  240. logger.debug('stream: {}'.format(request.stream))
  241. # LDP-NR types
  242. if not request.content_length:
  243. logger.debug('No data received in body.')
  244. cls = Ldpc
  245. data = None
  246. elif request.mimetype in accept_rdf:
  247. # Parse out the RDF string.
  248. data = request.data.decode('utf-8')
  249. g = Graph().parse(data=data, format=request.mimetype)
  250. if Ldpr.MBR_RSRC_URI in g.predicates() and \
  251. Ldpr.MBR_REL_URI in g.predicates():
  252. if Ldpr.INS_CNT_REL_URI in g.predicates():
  253. cls = LdpIc
  254. else:
  255. cls = LdpDc
  256. else:
  257. cls = Ldpc
  258. else:
  259. cls = LdpNr
  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. data = request.files.get('file').stream
  265. else:
  266. # This is a less clean way, with the file in the form body and
  267. # the request as application/x-www-form-urlencoded.
  268. # This is how FCREPO4 accepts binary uploads.
  269. data = request.stream
  270. logger.info('Creating resource of type: {}'.format(cls.__name__))
  271. return cls, data
  272. def _get_bitstream(rsrc):
  273. out_headers = std_headers
  274. # @TODO This may change in favor of more low-level handling if the file
  275. # system is not local.
  276. return send_file(rsrc.local_path, as_attachment=True,
  277. attachment_filename=rsrc.filename)
  278. def _tombstone_response(e, uuid):
  279. headers = {
  280. 'Link' : '<{}/fcr:tombstone>; rel="hasTombstone"'.format(request.url),
  281. } if e.uuid == uuid else {}
  282. return str(e), 410, headers