ldp.py 5.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221
  1. import logging
  2. from collections import defaultdict
  3. from uuid import uuid4
  4. from flask import Blueprint, request
  5. from werkzeug.datastructures import FileStorage
  6. from lakesuperior.exceptions import InvalidResourceError, \
  7. ResourceExistsError, ResourceNotExistsError, \
  8. InvalidResourceError, ServerManagedTermError
  9. from lakesuperior.model.ldp_rs import Ldpc, LdpRs
  10. from lakesuperior.model.ldp_nr import LdpNr
  11. from lakesuperior.store_layouts.rdf.base_rdf_layout import BaseRdfLayout
  12. from lakesuperior.util.translator import Translator
  13. logger = logging.getLogger(__name__)
  14. # Blueprint for LDP REST API. This is what is usually found under `/rest/` in
  15. # standard fcrepo4. Here, it is under `/ldp` but initially `/rest` can be kept
  16. # for backward compatibility.
  17. ldp = Blueprint('ldp', __name__)
  18. accept_patch = (
  19. 'application/sparql-update',
  20. )
  21. accept_post_rdf = (
  22. 'application/ld+json',
  23. 'application/n-triples',
  24. 'application/rdf+xml',
  25. #'application/x-turtle',
  26. #'application/xhtml+xml',
  27. #'application/xml',
  28. #'text/html',
  29. 'text/n3',
  30. #'text/plain',
  31. 'text/rdf+n3',
  32. 'text/turtle',
  33. )
  34. #allow = (
  35. # 'COPY',
  36. # 'DELETE',
  37. # 'GET',
  38. # 'HEAD',
  39. # 'MOVE',
  40. # 'OPTIONS',
  41. # 'PATCH',
  42. # 'POST',
  43. # 'PUT',
  44. #)
  45. std_headers = {
  46. 'Accept-Patch' : ','.join(accept_patch),
  47. 'Accept-Post' : ','.join(accept_post_rdf),
  48. #'Allow' : ','.join(allow),
  49. }
  50. ## REST SERVICES ##
  51. @ldp.route('/<path:uuid>', methods=['GET'])
  52. @ldp.route('/', defaults={'uuid': None}, methods=['GET'],
  53. strict_slashes=False)
  54. def get_resource(uuid):
  55. '''
  56. Retrieve RDF or binary content.
  57. '''
  58. out_headers = std_headers
  59. pref_return = defaultdict(dict)
  60. if 'prefer' in request.headers:
  61. prefer = Translator.parse_rfc7240(request.headers['prefer'])
  62. logger.debug('Parsed Prefer header: {}'.format(prefer))
  63. if 'return' in prefer:
  64. pref_return = prefer['return']
  65. # @TODO Add conditions for LDP-NR
  66. rsrc = Ldpc(uuid)
  67. try:
  68. out = rsrc.get(pref_return=pref_return)
  69. except ResourceNotExistsError:
  70. return 'Resource #{} not found.'.format(rsrc.uuid), 404
  71. else:
  72. out_headers = rsrc.head()
  73. return (out.graph.serialize(format='turtle'), out_headers)
  74. @ldp.route('/<path:parent>', methods=['POST'])
  75. @ldp.route('/', defaults={'parent': None}, methods=['POST'],
  76. strict_slashes=False)
  77. def post_resource(parent):
  78. '''
  79. Add a new resource in a new URI.
  80. '''
  81. out_headers = std_headers
  82. try:
  83. slug = request.headers['Slug']
  84. except KeyError:
  85. slug = None
  86. cls, data = class_from_req_body()
  87. try:
  88. rsrc = cls.inst_for_post(parent, slug)
  89. except ResourceNotExistsError as e:
  90. return str(e), 404
  91. except InvalidResourceError as e:
  92. return str(e), 409
  93. try:
  94. rsrc.post(data)
  95. except ServerManagedTermError as e:
  96. return str(e), 412
  97. out_headers.update({
  98. 'Location' : rsrc.uri,
  99. })
  100. return rsrc.uri, out_headers, 201
  101. @ldp.route('/<path:uuid>', methods=['PUT'])
  102. def put_resource(uuid):
  103. '''
  104. Add a new resource at a specified URI.
  105. '''
  106. logger.info('Request headers: {}'.format(request.headers))
  107. rsp_headers = std_headers
  108. cls, data = class_from_req_body()
  109. rsrc = cls(uuid)
  110. logger.debug('form: {}'.format(request.form))
  111. # Parse headers.
  112. pref_handling = None
  113. if 'prefer' in request.headers:
  114. prefer = Translator.parse_rfc7240(request.headers['prefer'])
  115. logger.debug('Parsed Prefer header: {}'.format(prefer))
  116. if 'handling' in prefer:
  117. pref_handling = prefer['handling']['value']
  118. try:
  119. ret = rsrc.put(
  120. request.get_data().decode('utf-8'),
  121. handling=pref_handling
  122. )
  123. except InvalidResourceError as e:
  124. return str(e), 409
  125. except ResourceExistsError as e:
  126. return str(e), 409
  127. except ServerManagedTermError as e:
  128. return str(e), 412
  129. else:
  130. res_code = 201 if ret == BaseRdfLayout.RES_CREATED else 204
  131. return '', res_code, rsp_headers
  132. @ldp.route('/<path:uuid>', methods=['PATCH'])
  133. def patch_resource(uuid):
  134. '''
  135. Update an existing resource with a SPARQL-UPDATE payload.
  136. '''
  137. headers = std_headers
  138. rsrc = Ldpc(uuid)
  139. try:
  140. rsrc.patch(request.get_data().decode('utf-8'))
  141. except ResourceNotExistsError:
  142. return 'Resource #{} not found.'.format(rsrc.uuid), 404
  143. except ServerManagedTermError as e:
  144. return str(e), 412
  145. return '', 204, headers
  146. @ldp.route('/<path:uuid>', methods=['DELETE'])
  147. def delete_resource(uuid):
  148. '''
  149. Delete a resource.
  150. '''
  151. headers = std_headers
  152. rsrc = Ldpc(uuid)
  153. try:
  154. rsrc.delete()
  155. except ResourceNotExistsError:
  156. return 'Resource #{} not found.'.format(rsrc.uuid), 404
  157. return '', 204, headers
  158. def class_from_req_body():
  159. logger.debug('Content type: {}'.format(request.mimetype))
  160. #logger.debug('files: {}'.format(request.files))
  161. logger.debug('stream: {}'.format(request.stream))
  162. if request.mimetype in accept_post_rdf:
  163. cls = Ldpc
  164. # Parse out the RDF string.
  165. data = request.data.decode('utf-8')
  166. else:
  167. cls = LdpNr
  168. if request.mimetype == 'multipart/form-data':
  169. # This seems the "right" way to upload a binary file, with a
  170. # multipart/form-data MIME type and the file in the `file` field.
  171. # This however is not supported by FCREPO4.
  172. data = request.files.get('file').stream
  173. else:
  174. # This is a less clean way, with the file in the form body and the
  175. # request as application/x-www-form-urlencoded.
  176. # This is how FCREPO4 accepts binary uploads.
  177. data = request.stream
  178. logger.info('POSTing resource of type: {}'.format(cls.__name__))
  179. #logger.info('POST data: {}'.format(data))
  180. return cls, data