ldp_factory.py 7.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235
  1. import logging
  2. from pprint import pformat
  3. from uuid import uuid4
  4. import rdflib
  5. from flask import current_app, g
  6. from rdflib import Graph
  7. from rdflib.resource import Resource
  8. from rdflib.namespace import RDF
  9. from lakesuperior import model
  10. from lakesuperior.dictionaries.namespaces import ns_collection as nsc
  11. from lakesuperior.exceptions import (
  12. IncompatibleLdpTypeError, InvalidResourceError, ResourceExistsError,
  13. ResourceNotExistsError)
  14. class LdpFactory:
  15. '''
  16. Generate LDP instances.
  17. The instance classes are based on provided client data or on stored data.
  18. '''
  19. LDP_NR_TYPE = nsc['ldp'].NonRDFSource
  20. LDP_RS_TYPE = nsc['ldp'].RDFSource
  21. _logger = logging.getLogger(__name__)
  22. @staticmethod
  23. def new_container(uid):
  24. if not uid:
  25. raise InvalidResourceError(uid)
  26. if current_app.rdfly.ask_rsrc_exists(uid):
  27. raise ResourceExistsError(uid)
  28. rsrc = model.ldp_rs.Ldpc(
  29. uid, provided_imr=Resource(Graph(), nsc['fcres'][uid]))
  30. return rsrc
  31. @staticmethod
  32. def from_stored(uid, repr_opts={}, **kwargs):
  33. '''
  34. Create an instance for retrieval purposes.
  35. This factory method creates and returns an instance of an LDPR subclass
  36. based on information that needs to be queried from the underlying
  37. graph store.
  38. N.B. The resource must exist.
  39. @param uid UID of the instance.
  40. '''
  41. #__class__._logger.info('Retrieving stored resource: {}'.format(uid))
  42. imr_urn = nsc['fcres'][uid]
  43. rsrc_meta = current_app.rdfly.get_metadata(uid)
  44. #__class__._logger.debug('Extracted metadata: {}'.format(
  45. # pformat(set(rsrc_meta.graph))))
  46. rdf_types = set(rsrc_meta.graph[imr_urn : RDF.type])
  47. if __class__.LDP_NR_TYPE in rdf_types:
  48. __class__._logger.info('Resource is a LDP-NR.')
  49. rsrc = model.ldp_nr.LdpNr(uid, repr_opts, **kwargs)
  50. elif __class__.LDP_RS_TYPE in rdf_types:
  51. __class__._logger.info('Resource is a LDP-RS.')
  52. rsrc = model.ldp_rs.LdpRs(uid, repr_opts, **kwargs)
  53. else:
  54. raise ResourceNotExistsError(uid)
  55. # Sneak in the already extracted metadata to save a query.
  56. rsrc._metadata = rsrc_meta
  57. return rsrc
  58. @staticmethod
  59. def from_provided(uid, content_length, mimetype, stream, **kwargs):
  60. '''
  61. Determine LDP type from request content.
  62. @param uid (string) UID of the resource to be created or updated.
  63. @param content_length (int) The provided content length.
  64. @param mimetype (string) The provided content MIME type.
  65. @param stream (IOStream) The provided data stream. This can be RDF or
  66. non-RDF content.
  67. '''
  68. urn = nsc['fcres'][uid]
  69. logger = __class__._logger
  70. if not content_length:
  71. # Create empty LDPC.
  72. logger.info('No data received in request. '
  73. 'Creating empty container.')
  74. inst = model.ldp_rs.Ldpc(
  75. uid, provided_imr=Resource(Graph(), urn), **kwargs)
  76. elif __class__.is_rdf_parsable(mimetype):
  77. # Create container and populate it with provided RDF data.
  78. input_rdf = stream.read()
  79. provided_gr = Graph().parse(data=input_rdf,
  80. format=mimetype, publicID=urn)
  81. #logger.debug('Provided graph: {}'.format(
  82. # pformat(set(provided_gr))))
  83. local_gr = g.tbox.localize_graph(provided_gr)
  84. #logger.debug('Parsed local graph: {}'.format(
  85. # pformat(set(local_gr))))
  86. provided_imr = Resource(local_gr, urn)
  87. # Determine whether it is a basic, direct or indirect container.
  88. Ldpr = model.ldpr.Ldpr
  89. if Ldpr.MBR_RSRC_URI in local_gr.predicates() and \
  90. Ldpr.MBR_REL_URI in local_gr.predicates():
  91. if Ldpr.INS_CNT_REL_URI in local_gr.predicates():
  92. cls = model.ldp_rs.LdpIc
  93. else:
  94. cls = model.ldp_rs.LdpDc
  95. else:
  96. cls = model.ldp_rs.Ldpc
  97. inst = cls(uid, provided_imr=provided_imr, **kwargs)
  98. # Make sure we are not updating an LDP-RS with an LDP-NR.
  99. if inst.is_stored and __class__.LDP_NR_TYPE in inst.ldp_types:
  100. raise IncompatibleLdpTypeError(uid, mimetype)
  101. if kwargs.get('handling', 'strict') != 'none':
  102. inst._check_mgd_terms(inst.provided_imr.graph)
  103. else:
  104. # Create a LDP-NR and equip it with the binary file provided.
  105. provided_imr = Resource(Graph(), urn)
  106. inst = model.ldp_nr.LdpNr(uid, stream=stream, mimetype=mimetype,
  107. provided_imr=provided_imr, **kwargs)
  108. # Make sure we are not updating an LDP-NR with an LDP-RS.
  109. if inst.is_stored and __class__.LDP_RS_TYPE in inst.ldp_types:
  110. raise IncompatibleLdpTypeError(uid, mimetype)
  111. logger.info('Creating resource of type: {}'.format(
  112. inst.__class__.__name__))
  113. try:
  114. types = inst.types
  115. except:
  116. types = set()
  117. return inst
  118. @staticmethod
  119. def is_rdf_parsable(mimetype):
  120. '''
  121. Checks whether a MIME type support RDF parsing by a RDFLib plugin.
  122. @param mimetype (string) MIME type to check.
  123. '''
  124. try:
  125. rdflib.plugin.get(mimetype, rdflib.parser.Parser)
  126. except rdflib.plugin.PluginException:
  127. return False
  128. else:
  129. return True
  130. @staticmethod
  131. def is_rdf_serializable(mimetype):
  132. '''
  133. Checks whether a MIME type support RDF serialization by a RDFLib plugin
  134. @param mimetype (string) MIME type to check.
  135. '''
  136. try:
  137. rdflib.plugin.get(mimetype, rdflib.serializer.Serializer)
  138. except rdflib.plugin.PluginException:
  139. return False
  140. else:
  141. return True
  142. @staticmethod
  143. def mint_uid(parent_uid, path=None):
  144. '''
  145. Mint a new resource UID based on client directives.
  146. This method takes a parent ID and a tentative path and returns an LDP
  147. resource UID.
  148. This may raise an exception resulting in a 404 if the parent is not
  149. found or a 409 if the parent is not a valid container.
  150. @param parent_uid (string) UID of the parent resource. It must be an
  151. existing LDPC.
  152. @param path (string) path to the resource, relative to the parent.
  153. @return string The confirmed resource UID. This may be different from
  154. what has been indicated.
  155. '''
  156. def split_if_legacy(uid):
  157. if current_app.config['store']['ldp_rs']['legacy_ptree_split']:
  158. uid = g.tbox.split_uuid(uid)
  159. return uid
  160. # Shortcut!
  161. if not path and parent_uid == '':
  162. uid = split_if_legacy(str(uuid4()))
  163. return uid
  164. parent = LdpFactory.from_stored(parent_uid,
  165. repr_opts={'incl_children' : False})
  166. # Set prefix.
  167. if parent_uid:
  168. if nsc['ldp'].Container not in parent.types:
  169. raise InvalidResourceError(parent_uid,
  170. 'Parent {} is not a container.')
  171. pfx = parent_uid + '/'
  172. else:
  173. pfx = ''
  174. # Create candidate UID and validate.
  175. if path:
  176. cnd_uid = pfx + path
  177. if current_app.rdfly.ask_rsrc_exists(cnd_uid):
  178. uid = pfx + split_if_legacy(str(uuid4()))
  179. else:
  180. uid = cnd_uid
  181. else:
  182. uid = pfx + split_if_legacy(str(uuid4()))
  183. return uid