ldp_factory.py 7.4 KB

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