ldpr.py 25 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748
  1. import logging
  2. from abc import ABCMeta
  3. from collections import defaultdict
  4. from itertools import accumulate, groupby
  5. from uuid import uuid4
  6. import arrow
  7. import rdflib
  8. from flask import current_app, request
  9. from rdflib import Graph
  10. from rdflib.resource import Resource
  11. from rdflib.namespace import RDF, XSD
  12. from rdflib.term import URIRef, Literal
  13. from lakesuperior.dictionaries.namespaces import ns_collection as nsc
  14. from lakesuperior.dictionaries.srv_mgd_terms import srv_mgd_subjects, \
  15. srv_mgd_predicates, srv_mgd_types
  16. from lakesuperior.exceptions import InvalidResourceError, \
  17. ResourceNotExistsError, ServerManagedTermError
  18. from lakesuperior.store_layouts.ldp_rs.base_rdf_layout import BaseRdfLayout
  19. from lakesuperior.toolbox import Toolbox
  20. def atomic(fn):
  21. '''
  22. Handle atomic operations in an RDF store.
  23. This wrapper ensures that a write operation is performed atomically. It
  24. also takes care of sending a message for each resource changed in the
  25. transaction.
  26. '''
  27. def wrapper(self, *args, **kwargs):
  28. request.changelog = []
  29. try:
  30. ret = fn(self, *args, **kwargs)
  31. except:
  32. self._logger.warn('Rolling back transaction.')
  33. self.rdfly.store.rollback()
  34. raise
  35. else:
  36. self._logger.info('Committing transaction.')
  37. self.rdfly.store.commit()
  38. for ev in request.changelog:
  39. self._logger.info('Message: {}'.format(ev))
  40. self._send_event_msg(*ev)
  41. return ret
  42. return wrapper
  43. class Ldpr(metaclass=ABCMeta):
  44. '''LDPR (LDP Resource).
  45. Definition: https://www.w3.org/TR/ldp/#ldpr-resource
  46. This class and related subclasses contain the implementation pieces of
  47. the vanilla LDP specifications. This is extended by the
  48. `lakesuperior.fcrepo.Resource` class.
  49. Inheritance graph: https://www.w3.org/TR/ldp/#fig-ldpc-types
  50. Note: Even though LdpNr (which is a subclass of Ldpr) handles binary files,
  51. it still has an RDF representation in the triplestore. Hence, some of the
  52. RDF-related methods are defined in this class rather than in the LdpRs
  53. class.
  54. Convention notes:
  55. All the methods in this class handle internal UUIDs (URN). Public-facing
  56. URIs are converted from URNs and passed by these methods to the methods
  57. handling HTTP negotiation.
  58. The data passed to the store layout for processing should be in a graph.
  59. All conversion from request payload strings is done here.
  60. '''
  61. EMBED_CHILD_RES_URI = nsc['fcrepo'].EmbedResources
  62. FCREPO_PTREE_TYPE = nsc['fcrepo'].Pairtree
  63. INS_CNT_REL_URI = nsc['ldp'].insertedContentRelation
  64. LDP_NR_TYPE = nsc['ldp'].NonRDFSource
  65. LDP_RS_TYPE = nsc['ldp'].RDFSource
  66. MBR_RSRC_URI = nsc['ldp'].membershipResource
  67. MBR_REL_URI = nsc['ldp'].hasMemberRelation
  68. RETURN_CHILD_RES_URI = nsc['fcrepo'].Children
  69. RETURN_INBOUND_REF_URI = nsc['fcrepo'].InboundReferences
  70. RETURN_SRV_MGD_RES_URI = nsc['fcrepo'].ServerManaged
  71. ROOT_NODE_URN = nsc['fcsystem'].root
  72. # Workflow type. Inbound means that the resource is being written to the
  73. # store, outbounnd is being retrieved for output.
  74. WRKF_INBOUND = '_workflow:inbound_'
  75. WRKF_OUTBOUND = '_workflow:outbound_'
  76. RES_CREATED = '_create_'
  77. RES_DELETED = '_delete_'
  78. RES_UPDATED = '_update_'
  79. protected_pred = (
  80. nsc['fcrepo'].created,
  81. nsc['fcrepo'].createdBy,
  82. nsc['ldp'].contains,
  83. )
  84. _logger = logging.getLogger(__name__)
  85. ## STATIC & CLASS METHODS ##
  86. @classmethod
  87. def inst(cls, uuid, repr_opts=None, **kwargs):
  88. '''
  89. Create an instance for retrieval purposes.
  90. This factory method creates and returns an instance of an LDPR subclass
  91. based on information that needs to be queried from the underlying
  92. graph store.
  93. N.B. The resource must exist.
  94. @param uuid UUID of the instance.
  95. '''
  96. imr_urn = nsc['fcres'][uuid] if uuid else cls.ROOT_NODE_URN
  97. cls._logger.debug('Representation options: {}'.format(repr_opts))
  98. imr = current_app.rdfly.extract_imr(imr_urn, **repr_opts)
  99. rdf_types = set(imr.graph.objects(imr.identifier, RDF.type))
  100. if cls.LDP_NR_TYPE in rdf_types:
  101. from lakesuperior.model.ldp_nr import LdpNr
  102. cls._logger.info('Resource is a LDP-NR.')
  103. rsrc = LdpNr(uuid, repr_opts, **kwargs)
  104. elif cls.LDP_RS_TYPE in rdf_types:
  105. from lakesuperior.model.ldp_rs import LdpRs
  106. cls._logger.info('Resource is a LDP-RS.')
  107. rsrc = LdpRs(uuid, repr_opts, **kwargs)
  108. else:
  109. raise ResourceNotExistsError(uuid)
  110. # Sneak in the already extracted IMR to save a query.
  111. rsrc._imr = imr
  112. return rsrc
  113. @staticmethod
  114. def inst_from_client_input(uuid, **kwargs):
  115. '''
  116. Determine LDP type (and instance class) from request headers and body.
  117. This is used with POST and PUT methods.
  118. @param uuid (string) UUID of the resource to be created or updated.
  119. '''
  120. # @FIXME Circular reference.
  121. from lakesuperior.model.ldp_nr import LdpNr
  122. from lakesuperior.model.ldp_rs import Ldpc, LdpDc, LdpIc, LdpRs
  123. urn = nsc['fcres'][uuid]
  124. logger = __class__._logger
  125. logger.debug('Content type: {}'.format(request.mimetype))
  126. logger.debug('files: {}'.format(request.files))
  127. logger.debug('stream: {}'.format(request.stream))
  128. if not request.content_length:
  129. # Create empty LDPC.
  130. logger.debug('No data received in request. '
  131. 'Creating empty container.')
  132. return Ldpc(uuid, provided_imr=Resource(Graph(), urn), **kwargs)
  133. if __class__.is_rdf_parsable(request.mimetype):
  134. # Create container and populate it with provided RDF data.
  135. provided_g = Graph().parse(data=request.data.decode('utf-8'),
  136. format=request.mimetype, publicID=urn)
  137. provided_imr = Resource(provided_g, urn)
  138. if Ldpr.MBR_RSRC_URI in provided_g.predicates() and \
  139. Ldpr.MBR_REL_URI in provided_g.predicates():
  140. if Ldpr.INS_CNT_REL_URI in provided_g.predicates():
  141. cls = LdpIc
  142. else:
  143. cls = LdpDc
  144. else:
  145. cls = Ldpc
  146. inst = cls(uuid, provided_imr=provided_imr, **kwargs)
  147. inst._check_mgd_terms(inst.provided_imr.graph)
  148. else:
  149. # Create a LDP-NR and equip it with the binary file provided.
  150. if request.mimetype == 'multipart/form-data':
  151. # This seems the "right" way to upload a binary file, with a
  152. # multipart/form-data MIME type and the file in the `file`
  153. # field. This however is not supported by FCREPO4.
  154. stream = request.files.get('file').stream
  155. mimetype = request.file.get('file').content_type
  156. provided_imr = Resource(Graph(), urn)
  157. # @TODO This will turn out useful to provide metadata
  158. # with the binary.
  159. #metadata = request.files.get('metadata').stream
  160. #provided_imr = [parse RDF here...]
  161. else:
  162. # This is a less clean way, with the file in the form body and
  163. # the request as application/x-www-form-urlencoded.
  164. # This is how FCREPO4 accepts binary uploads.
  165. stream = request.stream
  166. mimetype = request.mimetype
  167. provided_imr = Resource(Graph(), urn)
  168. inst = LdpNr(uuid, stream=stream, mimetype=mimetype,
  169. provided_imr=provided_imr, **kwargs)
  170. logger.info('Creating resource of type: {}'.format(
  171. inst.__class__.__name__))
  172. return inst
  173. @staticmethod
  174. def is_rdf_parsable(mimetype):
  175. '''
  176. Checks whether a MIME type support RDF parsing by a RDFLib plugin.
  177. @param mimetype (string) MIME type to check.
  178. '''
  179. try:
  180. rdflib.plugin.get(mimetype, rdflib.parser.Parser)
  181. except rdflib.plugin.PluginException:
  182. return False
  183. else:
  184. return True
  185. @staticmethod
  186. def is_rdf_serializable(mimetype):
  187. '''
  188. Checks whether a MIME type support RDF serialization by a RDFLib plugin
  189. @param mimetype (string) MIME type to check.
  190. '''
  191. try:
  192. rdflib.plugin.get(mimetype, rdflib.serializer.Serializer)
  193. except rdflib.plugin.PluginException:
  194. return False
  195. else:
  196. return True
  197. ## MAGIC METHODS ##
  198. def __init__(self, uuid, repr_opts={}, provided_imr=None, **kwargs):
  199. '''Instantiate an in-memory LDP resource that can be loaded from and
  200. persisted to storage.
  201. Persistence is done in this class. None of the operations in the store
  202. layout should commit an open transaction. Methods are wrapped in a
  203. transaction by using the `@atomic` decorator.
  204. @param uuid (string) UUID of the resource. If None (must be explicitly
  205. set) it refers to the root node. It can also be the full URI or URN,
  206. in which case it will be converted.
  207. @param repr_opts (dict) Options used to retrieve the IMR. See
  208. `parse_rfc7240` for format details.
  209. @Param provd_rdf (string) RDF data provided by the client in
  210. operations isuch as `PUT` or `POST`, serialized as a string. This sets
  211. the `provided_imr` property.
  212. '''
  213. self.uuid = Toolbox().uri_to_uuid(uuid) \
  214. if isinstance(uuid, URIRef) else uuid
  215. self.urn = nsc['fcres'][uuid] \
  216. if self.uuid else self.ROOT_NODE_URN
  217. self.uri = Toolbox().uuid_to_uri(self.uuid)
  218. self.rdfly = current_app.rdfly
  219. self.nonrdfly = current_app.nonrdfly
  220. self.provided_imr = provided_imr
  221. @property
  222. def rsrc(self):
  223. '''
  224. The RDFLib resource representing this LDPR. This is a live
  225. representation of the stored data if present.
  226. @return rdflib.resource.Resource
  227. '''
  228. if not hasattr(self, '_rsrc'):
  229. self._rsrc = self.rdfly.ds.resource(self.urn)
  230. return self._rsrc
  231. @property
  232. def imr(self):
  233. '''
  234. Extract an in-memory resource from the graph store.
  235. If the resource is not stored (yet), a `ResourceNotExistsError` is
  236. raised.
  237. @return rdflib.resource.Resource
  238. '''
  239. if not hasattr(self, '_imr'):
  240. if hasattr(self, '_imr_options'):
  241. self._logger.debug('IMR options: {}'.format(self._imr_options))
  242. imr_options = self._imr_options
  243. else:
  244. imr_options = {}
  245. options = dict(imr_options, strict=True)
  246. self._imr = self.rdfly.extract_imr(self.urn, **options)
  247. return self._imr
  248. @property
  249. def stored_or_new_imr(self):
  250. '''
  251. Extract an in-memory resource for harmless manipulation and output.
  252. If the resource is not stored (yet), initialize a new IMR with basic
  253. triples.
  254. @return rdflib.resource.Resource
  255. '''
  256. if not hasattr(self, '_imr'):
  257. if hasattr(self, '_imr_options'):
  258. self._logger.debug('IMR options: {}'.format(self._imr_options))
  259. imr_options = self._imr_options
  260. else:
  261. imr_options = {}
  262. options = dict(imr_options, strict=True)
  263. try:
  264. self._imr = self.rdfly.extract_imr(self.urn, **options)
  265. except ResourceNotExistsError:
  266. self._imr = Resource(Graph(), self.urn)
  267. for t in self.base_types:
  268. self.imr.add(RDF.type, t)
  269. return self._imr
  270. @imr.deleter
  271. def imr(self):
  272. '''
  273. Delete in-memory buffered resource.
  274. '''
  275. delattr(self, '_imr')
  276. @property
  277. def out_graph(self):
  278. '''
  279. Retun a globalized graph of the resource's IMR.
  280. Internal URNs are replaced by global URIs using the endpoint webroot.
  281. '''
  282. # Remove digest hash.
  283. self.imr.remove(nsc['premis'].hasMessageDigest)
  284. if not self._imr_options.setdefault('incl_srv_mgd', True):
  285. for p in srv_mgd_predicates:
  286. self._logger.debug('Removing predicate: {}'.format(p))
  287. self.imr.remove(p)
  288. for t in srv_mgd_types:
  289. self._logger.debug('Removing type: {}'.format(t))
  290. self.imr.remove(RDF.type, t)
  291. out_g = Toolbox().globalize_graph(self.imr.graph)
  292. # Clear IMR because it's been pruned. In the rare case it is needed
  293. # after this method, it will be retrieved again.
  294. delattr(self, 'imr')
  295. return out_g
  296. @property
  297. def is_stored(self):
  298. return self.rdfly.ask_rsrc_exists(self.urn)
  299. @property
  300. def types(self):
  301. '''All RDF types.
  302. @return set(rdflib.term.URIRef)
  303. '''
  304. if not hasattr(self, '_types'):
  305. self._types = self.imr.graph[self.imr.identifier : RDF.type]
  306. return self._types
  307. @property
  308. def ldp_types(self):
  309. '''The LDP types.
  310. @return set(rdflib.term.URIRef)
  311. '''
  312. if not hasattr(self, '_ldp_types'):
  313. self._ldp_types = { t for t in self.types if t[:4] == 'ldp:' }
  314. return self._ldp_types
  315. ## LDP METHODS ##
  316. def head(self):
  317. '''
  318. Return values for the headers.
  319. '''
  320. out_headers = defaultdict(list)
  321. digest = self.imr.value(nsc['premis'].hasMessageDigest)
  322. if digest:
  323. etag = digest.identifier.split(':')[-1]
  324. out_headers['ETag'] = 'W/"{}"'.format(etag),
  325. last_updated_term = self.imr.value(nsc['fcrepo'].lastModified)
  326. if last_updated_term:
  327. out_headers['Last-Modified'] = arrow.get(last_updated_term)\
  328. .format('ddd, D MMM YYYY HH:mm:ss Z')
  329. for t in self.ldp_types:
  330. out_headers['Link'].append(
  331. '{};rel="type"'.format(t.n3()))
  332. return out_headers
  333. def get(self, *args, **kwargs):
  334. raise NotImplementedError()
  335. def post(self, *args, **kwargs):
  336. raise NotImplementedError()
  337. def put(self, *args, **kwargs):
  338. raise NotImplementedError()
  339. def patch(self, *args, **kwargs):
  340. raise NotImplementedError()
  341. @atomic
  342. def delete(self, inbound=True, delete_children=True, leave_tstone=True):
  343. '''
  344. https://www.w3.org/TR/ldp/#ldpr-HTTP_DELETE
  345. @param inbound (boolean) If specified, delete all inbound relationships
  346. as well. This is the default and is always the case if referential
  347. integrity is enforced by configuration.
  348. @param delete_children (boolean) Whether to delete all child resources.
  349. This is the default.
  350. '''
  351. refint = current_app.config['store']['ldp_rs']['referential_integrity']
  352. inbound = True if refint else inbound
  353. children = self.imr[nsc['ldp'].contains * '+'] \
  354. if delete_children else []
  355. ret = self._delete_rsrc(inbound, leave_tstone)
  356. for child_uri in children:
  357. child_rsrc = Ldpr.inst(
  358. Toolbox().uri_to_uuid(child_uri.identifier),
  359. repr_opts={'incl_children' : False})
  360. child_rsrc._delete_rsrc(inbound, leave_tstone,
  361. tstone_pointer=self.urn)
  362. return ret
  363. @atomic
  364. def delete_tombstone(self):
  365. '''
  366. Delete a tombstone.
  367. N.B. This does not trigger an event.
  368. '''
  369. remove_trp = {
  370. (self.urn, RDF.type, nsc['fcsystem'].Tombstone),
  371. (self.urn, nsc['fcrepo'].created, None),
  372. (None, nsc['fcsystem'].tombstone, self.urn),
  373. }
  374. self.rdfly.modify_dataset(remove_trp)
  375. ## PROTECTED METHODS ##
  376. def _create_rsrc(self):
  377. '''
  378. Create a new resource by comparing an empty graph with the provided
  379. IMR graph.
  380. '''
  381. self._modify_rsrc(self.RES_CREATED, add_trp=self.provided_imr.graph)
  382. return self.RES_CREATED
  383. def _replace_rsrc(self):
  384. '''
  385. Replace a resource.
  386. The existing resource graph is removed except for the protected terms.
  387. '''
  388. # The extracted IMR is used as a "minus" delta, so protected predicates
  389. # must be removed.
  390. for p in self.protected_pred:
  391. self.imr.remove(p)
  392. delta = self._dedup_deltas(self.imr.graph, self.provided_imr.graph)
  393. self._modify_rsrc(self.RES_UPDATED, *delta)
  394. # Reset the IMR because it has changed.
  395. delattr(self, 'imr')
  396. return self.RES_UPDATED
  397. def _delete_rsrc(self, inbound, leave_tstone=True, tstone_pointer=None):
  398. '''
  399. Delete a single resource and create a tombstone.
  400. @param inbound (boolean) Whether to delete the inbound relationships.
  401. @param tstone_pointer (URIRef) If set to a URN, this creates a pointer
  402. to the tombstone of the resource that used to contain the deleted
  403. resource. Otherwise the delete resource becomes a tombstone.
  404. '''
  405. self._logger.info('Removing resource {}'.format(self.urn))
  406. remove_trp = self.imr.graph
  407. add_trp = Graph()
  408. if leave_tstone:
  409. if tstone_pointer:
  410. add_trp.add((self.urn, nsc['fcsystem'].tombstone,
  411. tstone_pointer))
  412. else:
  413. ts = Literal(arrow.utcnow(), datatype=XSD.dateTime)
  414. add_trp.add((self.urn, RDF.type, nsc['fcsystem'].Tombstone))
  415. add_trp.add((self.urn, nsc['fcrepo'].created, ts))
  416. else:
  417. self._logger.info('NOT leaving tombstone.')
  418. self._modify_rsrc(self.RES_DELETED, remove_trp, add_trp)
  419. if inbound:
  420. remove_trp = set()
  421. for ib_rsrc_uri in self.imr.graph.subjects(None, self.urn):
  422. remove_trp = {(ib_rsrc_uri, None, self.urn)}
  423. Ldpr(ib_rsrc_uri)._modify_rsrc(self.RES_UPDATED, remove_trp)
  424. return self.RES_DELETED
  425. def _modify_rsrc(self, ev_type, remove_trp=Graph(), add_trp=Graph()):
  426. '''
  427. Low-level method to modify a graph for a single resource.
  428. @param ev_type (string) The type of event (create, update, delete).
  429. @param remove_trp (rdflib.Graph) Triples to be removed.
  430. @param add_trp (rdflib.Graph) Triples to be added.
  431. '''
  432. # If one of the triple sets is not a graph, do a set merge and
  433. # filtering. This is necessary to support non-RDF terms (e.g.
  434. # variables).
  435. if not isinstance(remove_trp, Graph) or not isinstance(add_trp, Graph):
  436. if isinstance(remove_trp, Graph):
  437. remove_trp = set(remove_trp)
  438. if isinstance(add_trp, Graph):
  439. add_trp = set(add_trp)
  440. merge_g = remove_trp | add_trp
  441. type = { trp[2] for trp in merge_g if trp[1] == RDF.type }
  442. actor = { trp[2] for trp in merge_g \
  443. if trp[1] == nsc['fcrepo'].createdBy }
  444. else:
  445. merge_g = remove_trp | add_trp
  446. type = merge_g[ self.urn : RDF.type ]
  447. actor = merge_g[ self.urn : nsc['fcrepo'].createdBy ]
  448. return self.rdfly.modify_dataset(remove_trp, add_trp, metadata={
  449. 'ev_type' : ev_type,
  450. 'time' : arrow.utcnow(),
  451. 'type' : type,
  452. 'actor' : actor,
  453. })
  454. def _set_containment_rel(self):
  455. '''Find the closest parent in the path indicated by the UUID and
  456. establish a containment triple.
  457. E.g.
  458. - If only urn:fcres:a (short: a) exists:
  459. - If a/b/c/d is being created, a becomes container of a/b/c/d. Also,
  460. pairtree nodes are created for a/b and a/b/c.
  461. - If e is being created, the root node becomes container of e.
  462. '''
  463. if '/' in self.uuid:
  464. # Traverse up the hierarchy to find the parent.
  465. parent_uri = self._find_parent_or_create_pairtree(self.uuid)
  466. if parent_uri:
  467. self.rdfly.ds.add((parent_uri, nsc['ldp'].contains,
  468. self.rsrc.identifier))
  469. # Direct or indirect container relationship.
  470. self._add_ldp_dc_ic_rel(parent_uri)
  471. else:
  472. self.rsrc.graph.add((nsc['fcsystem'].root, nsc['ldp'].contains,
  473. self.rsrc.identifier))
  474. def _find_parent_or_create_pairtree(self, uuid):
  475. '''
  476. Check the path-wise parent of the new resource. If it exists, return
  477. its URI. Otherwise, create pairtree resources up the path until an
  478. actual resource or the root node is found.
  479. @return rdflib.term.URIRef
  480. '''
  481. path_components = uuid.split('/')
  482. if len(path_components) < 2:
  483. return None
  484. # Build search list, e.g. for a/b/c/d/e would be a/b/c/d, a/b/c, a/b, a
  485. self._logger.info('Path components: {}'.format(path_components))
  486. fwd_search_order = accumulate(
  487. list(path_components)[:-1],
  488. func=lambda x,y : x + '/' + y
  489. )
  490. rev_search_order = reversed(list(fwd_search_order))
  491. cur_child_uri = nsc['fcres'][uuid]
  492. for cparent_uuid in rev_search_order:
  493. cparent_uri = nsc['fcres'][cparent_uuid]
  494. if self.rdfly.ask_rsrc_exists(cparent_uri):
  495. return cparent_uri
  496. else:
  497. self._create_path_segment(cparent_uri, cur_child_uri)
  498. cur_child_uri = cparent_uri
  499. return None
  500. def _dedup_deltas(self, remove_g, add_g):
  501. '''
  502. Remove duplicate triples from add and remove delta graphs, which would
  503. otherwise contain unnecessary statements that annul each other.
  504. '''
  505. return (
  506. remove_g - add_g,
  507. add_g - remove_g
  508. )
  509. def _create_path_segment(self, uri, child_uri):
  510. '''
  511. Create a path segment with a non-LDP containment statement.
  512. This diverges from the default fcrepo4 behavior which creates pairtree
  513. resources.
  514. If a resource such as `fcres:a/b/c` is created, and neither fcres:a or
  515. fcres:a/b exists, we have to create two "hidden" containment statements
  516. between a and a/b and between a/b and a/b/c in order to maintain the
  517. `containment chain.
  518. '''
  519. imr = Resource(Graph(), uri)
  520. imr.add(RDF.type, nsc['ldp'].Container)
  521. imr.add(RDF.type, nsc['ldp'].BasicContainer)
  522. imr.add(RDF.type, nsc['ldp'].RDFSource)
  523. imr.add(nsc['fcrepo'].contains, child_uri)
  524. # If the path segment is just below root
  525. if '/' not in str(uri):
  526. imr.graph.add((nsc['fcsystem'].root, nsc['fcrepo'].contains, uri))
  527. self.rdfly.create_rsrc(imr)
  528. def _add_ldp_dc_ic_rel(self, cont_uri):
  529. '''
  530. Add relationship triples from a parent direct or indirect container.
  531. @param cont_uri (rdflib.term.URIRef) The container URI.
  532. '''
  533. cont_uuid = Toolbox().uri_to_uuid(cont_uri)
  534. cont_rsrc = Ldpr.inst(cont_uuid, repr_opts={'incl_children' : False})
  535. cont_p = set(cont_rsrc.imr.graph.predicates())
  536. add_g = Graph()
  537. self._logger.info('Checking direct or indirect containment.')
  538. self._logger.debug('Parent predicates: {}'.format(cont_p))
  539. if self.MBR_RSRC_URI in cont_p and self.MBR_REL_URI in cont_p:
  540. s = Toolbox().localize_term(
  541. cont_rsrc.imr.value(self.MBR_RSRC_URI).identifier)
  542. p = cont_rsrc.imr.value(self.MBR_REL_URI).identifier
  543. if cont_rsrc.imr[RDF.type : nsc['ldp'].DirectContainer]:
  544. self._logger.info('Parent is a direct container.')
  545. self._logger.debug('Creating DC triples.')
  546. add_g.add((s, p, self.urn))
  547. elif cont_rsrc.imr[RDF.type : nsc['ldp'].IndirectContainer] \
  548. and self.INS_CNT_REL_URI in cont_p:
  549. self._logger.info('Parent is an indirect container.')
  550. cont_rel_uri = cont_rsrc.imr.value(self.INS_CNT_REL_URI).identifier
  551. target_uri = self.provided_imr.value(cont_rel_uri).identifier
  552. self._logger.debug('Target URI: {}'.format(target_uri))
  553. if target_uri:
  554. self._logger.debug('Creating IC triples.')
  555. add_g.add((s, p, target_uri))
  556. if len(add_g):
  557. add_g = self._check_mgd_terms(add_g)
  558. self._logger.debug('Adding DC/IC triples: {}'.format(
  559. add_g.serialize(format='turtle').decode('utf-8')))
  560. rsrc._modify_rsrc(self.RES_UPDATED, add_trp=add_g)
  561. def _send_event_msg(self, remove_trp, add_trp, metadata):
  562. '''
  563. Break down delta triples, find subjects and send event message.
  564. '''
  565. remove_grp = groupby(remove_trp, lambda x : x[0])
  566. remove_dict = { k[0] : k[1] for k in remove_grp }
  567. add_grp = groupby(add_trp, lambda x : x[0])
  568. add_dict = { k[0] : k[1] for k in add_grp }
  569. subjects = set(remove_dict.keys()) | set(add_dict.keys())
  570. for rsrc_uri in subjects:
  571. self._logger.info('subject: {}'.format(rsrc_uri))
  572. #current_app.messenger.send