ldp.py 7.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280
  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. from lakesuperior.model.ldpr import Ldpr
  10. from lakesuperior.model.ldp_nr import LdpNr
  11. from lakesuperior.model.ldp_rs import Ldpc, LdpDc, LdpIc, LdpRs
  12. from lakesuperior.store_layouts.rdf.base_rdf_layout import BaseRdfLayout
  13. from lakesuperior.util.translator import Translator
  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. ## REST SERVICES ##
  52. @ldp.route('/<path:uuid>', methods=['GET'])
  53. @ldp.route('/', defaults={'uuid': None}, methods=['GET'],
  54. strict_slashes=False)
  55. def get_resource(uuid, force_rdf=False):
  56. '''
  57. Retrieve RDF or binary content.
  58. @param uuid (string) UUID of resource to retrieve.
  59. @param force_rdf (boolean) Whether to retrieve RDF even if the resource is
  60. a LDP-NR. This is not available in the API but is used e.g. by the
  61. `*/fcr:metadata` endpoint. The default is False.
  62. '''
  63. out_headers = std_headers
  64. repr_options = defaultdict(dict)
  65. if 'prefer' in request.headers:
  66. prefer = Translator.parse_rfc7240(request.headers['prefer'])
  67. logger.debug('Parsed Prefer header: {}'.format(prefer))
  68. if 'return' in prefer:
  69. repr_options = prefer['return']
  70. try:
  71. rsrc = Ldpr.readonly_inst(uuid, repr_options)
  72. except ResourceNotExistsError as e:
  73. return str(e), 404
  74. else:
  75. out_headers.update(rsrc.head())
  76. if isinstance(rsrc, LdpRs) \
  77. or request.headers['accept'] in accept_rdf \
  78. or force_rdf:
  79. return (rsrc.imr.graph.serialize(format='turtle'), out_headers)
  80. else:
  81. return send_file(rsrc.local_path, as_attachment=True,
  82. attachment_filename=rsrc.filename)
  83. @ldp.route('/<path:uuid>/fcr:metadata', methods=['GET'])
  84. def get_metadata(uuid):
  85. '''
  86. Retrieve RDF metadata of a LDP-NR.
  87. '''
  88. return get_resource(uuid, force_rdf=True)
  89. @ldp.route('/<path:parent>', methods=['POST'])
  90. @ldp.route('/', defaults={'parent': None}, methods=['POST'],
  91. strict_slashes=False)
  92. def post_resource(parent):
  93. '''
  94. Add a new resource in a new URI.
  95. '''
  96. out_headers = std_headers
  97. try:
  98. slug = request.headers['Slug']
  99. except KeyError:
  100. slug = None
  101. cls, data = class_from_req_body()
  102. try:
  103. rsrc = cls.inst_for_post(parent, slug)
  104. except ResourceNotExistsError as e:
  105. return str(e), 404
  106. except InvalidResourceError as e:
  107. return str(e), 409
  108. if cls == LdpNr:
  109. try:
  110. cont_disp = Translator.parse_rfc7240(
  111. request.headers['content-disposition'])
  112. except KeyError:
  113. cont_disp = None
  114. rsrc.post(data, mimetype=request.content_type, disposition=cont_disp)
  115. else:
  116. try:
  117. rsrc.post(data)
  118. except ServerManagedTermError as e:
  119. return str(e), 412
  120. out_headers.update({
  121. 'Location' : rsrc.uri,
  122. })
  123. return rsrc.uri, out_headers, 201
  124. @ldp.route('/<path:uuid>', methods=['PUT'])
  125. def put_resource(uuid):
  126. '''
  127. Add a new resource at a specified URI.
  128. '''
  129. logger.info('Request headers: {}'.format(request.headers))
  130. rsp_headers = std_headers
  131. cls, data = class_from_req_body()
  132. rsrc = cls(uuid)
  133. # Parse headers.
  134. pref_handling = None
  135. if cls == LdpNr:
  136. try:
  137. logger.debug('Headers: {}'.format(request.headers))
  138. cont_disp = Translator.parse_rfc7240(
  139. request.headers['content-disposition'])
  140. except KeyError:
  141. cont_disp = None
  142. try:
  143. ret = rsrc.put(data, disposition=cont_disp)
  144. except InvalidResourceError as e:
  145. return str(e), 409
  146. except ResourceExistsError as e:
  147. return str(e), 409
  148. else:
  149. if 'prefer' in request.headers:
  150. prefer = Translator.parse_rfc7240(request.headers['prefer'])
  151. logger.debug('Parsed Prefer header: {}'.format(prefer))
  152. if 'handling' in prefer:
  153. pref_handling = prefer['handling']['value']
  154. try:
  155. ret = rsrc.put(data, handling=pref_handling)
  156. except InvalidResourceError as e:
  157. return str(e), 409
  158. except ResourceExistsError as e:
  159. return str(e), 409
  160. except ServerManagedTermError as e:
  161. return str(e), 412
  162. res_code = 201 if ret == BaseRdfLayout.RES_CREATED else 204
  163. return '', res_code, rsp_headers
  164. @ldp.route('/<path:uuid>', methods=['PATCH'])
  165. def patch_resource(uuid):
  166. '''
  167. Update an existing resource with a SPARQL-UPDATE payload.
  168. '''
  169. headers = std_headers
  170. rsrc = Ldpc(uuid)
  171. try:
  172. rsrc.patch(request.get_data().decode('utf-8'))
  173. except ResourceNotExistsError:
  174. return 'Resource #{} not found.'.format(rsrc.uuid), 404
  175. except ServerManagedTermError as e:
  176. return str(e), 412
  177. return '', 204, headers
  178. @ldp.route('/<path:uuid>', methods=['DELETE'])
  179. def delete_resource(uuid):
  180. '''
  181. Delete a resource.
  182. '''
  183. headers = std_headers
  184. rsrc = Ldpc(uuid)
  185. try:
  186. rsrc.delete()
  187. except ResourceNotExistsError:
  188. return 'Resource #{} not found.'.format(rsrc.uuid), 404
  189. return '', 204, headers
  190. def class_from_req_body():
  191. '''
  192. Determine LDP type (and instance class) from the provided RDF body.
  193. '''
  194. logger.debug('Content type: {}'.format(request.mimetype))
  195. logger.debug('files: {}'.format(request.files))
  196. logger.debug('stream: {}'.format(request.stream))
  197. # LDP-NR types
  198. if not request.mimetype or request.mimetype in accept_rdf:
  199. # Parse out the RDF string.
  200. data = request.data.decode('utf-8')
  201. g = Graph().parse(data=data, format=request.mimetype)
  202. if Ldpr.MBR_RSRC_URI in g.predicates() and \
  203. Ldpr.MBR_REL_URI in g.predicates():
  204. if Ldpr.INS_CNT_REL_URI in g.predicates():
  205. cls = LdpIc
  206. else:
  207. cls = LdpDc
  208. else:
  209. cls = Ldpc
  210. else:
  211. cls = LdpNr
  212. if request.mimetype == 'multipart/form-data':
  213. # This seems the "right" way to upload a binary file, with a
  214. # multipart/form-data MIME type and the file in the `file`
  215. # field. This however is not supported by FCREPO4.
  216. data = request.files.get('file').stream
  217. else:
  218. # This is a less clean way, with the file in the form body and
  219. # the request as application/x-www-form-urlencoded.
  220. # This is how FCREPO4 accepts binary uploads.
  221. data = request.stream
  222. logger.info('Creating resource of type: {}'.format(cls.__name__))
  223. return cls, data
  224. def _get_bitstream(rsrc):
  225. out_headers = std_headers
  226. # @TODO This may change in favor of more low-level handling if the file
  227. # system is not local.
  228. return send_file(rsrc.local_path, as_attachment=True,
  229. attachment_filename=rsrc.filename)