ldpr.py 34 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016
  1. import logging
  2. from abc import ABCMeta
  3. from collections import defaultdict
  4. from copy import deepcopy
  5. from itertools import accumulate, groupby
  6. from pprint import pformat
  7. from uuid import uuid4
  8. import arrow
  9. import rdflib
  10. from flask import current_app, g, request
  11. from rdflib import Graph
  12. from rdflib.resource import Resource
  13. from rdflib.namespace import RDF, XSD
  14. from rdflib.term import URIRef, Literal
  15. from lakesuperior.dictionaries.namespaces import ns_collection as nsc
  16. from lakesuperior.dictionaries.srv_mgd_terms import srv_mgd_subjects, \
  17. srv_mgd_predicates, srv_mgd_types
  18. from lakesuperior.exceptions import *
  19. from lakesuperior.store_layouts.ldp_rs.base_rdf_layout import BaseRdfLayout
  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(pformat(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. # Default user to be used for the `createdBy` and `lastUpdatedBy` if a user
  77. # is not provided.
  78. DEFAULT_USER = Literal('BypassAdmin')
  79. RES_CREATED = '_create_'
  80. RES_DELETED = '_delete_'
  81. RES_UPDATED = '_update_'
  82. RES_VER_CONT_LABEL = 'fcr:versions'
  83. protected_pred = (
  84. nsc['fcrepo'].created,
  85. nsc['fcrepo'].createdBy,
  86. nsc['ldp'].contains,
  87. )
  88. _logger = logging.getLogger(__name__)
  89. ## STATIC & CLASS METHODS ##
  90. @classmethod
  91. def outbound_inst(cls, uuid, repr_opts={}, **kwargs):
  92. '''
  93. Create an instance for retrieval purposes.
  94. This factory method creates and returns an instance of an LDPR subclass
  95. based on information that needs to be queried from the underlying
  96. graph store.
  97. N.B. The resource must exist.
  98. @param uuid UUID of the instance.
  99. '''
  100. cls._logger.info('Retrieving stored resource: {}'.format(uuid))
  101. imr_urn = nsc['fcres'][uuid] if uuid else cls.ROOT_NODE_URN
  102. imr = current_app.rdfly.extract_imr(imr_urn, **repr_opts)
  103. cls._logger.debug('Extracted graph: {}'.format(
  104. pformat(set(imr.graph))))
  105. rdf_types = set(imr.graph.objects(imr.identifier, RDF.type))
  106. if cls.LDP_NR_TYPE in rdf_types:
  107. from lakesuperior.model.ldp_nr import LdpNr
  108. cls._logger.info('Resource is a LDP-NR.')
  109. rsrc = LdpNr(uuid, repr_opts, **kwargs)
  110. elif cls.LDP_RS_TYPE in rdf_types:
  111. from lakesuperior.model.ldp_rs import LdpRs
  112. cls._logger.info('Resource is a LDP-RS.')
  113. rsrc = LdpRs(uuid, repr_opts, **kwargs)
  114. else:
  115. raise ResourceNotExistsError(uuid)
  116. # Sneak in the already extracted IMR to save a query.
  117. rsrc._imr = imr
  118. return rsrc
  119. @staticmethod
  120. def inbound_inst(uuid, content_length, mimetype, stream, **kwargs):
  121. '''
  122. Determine LDP type (and instance class) from request headers and body.
  123. This is used with POST and PUT methods.
  124. @param uuid (string) UUID of the resource to be created or updated.
  125. '''
  126. # @FIXME Circular reference.
  127. from lakesuperior.model.ldp_nr import LdpNr
  128. from lakesuperior.model.ldp_rs import Ldpc, LdpDc, LdpIc, LdpRs
  129. urn = nsc['fcres'][uuid]
  130. logger = __class__._logger
  131. if not content_length:
  132. # Create empty LDPC.
  133. logger.debug('No data received in request. '
  134. 'Creating empty container.')
  135. inst = Ldpc(uuid, provided_imr=Resource(Graph(), urn), **kwargs)
  136. elif __class__.is_rdf_parsable(mimetype):
  137. # Create container and populate it with provided RDF data.
  138. input_rdf = stream.read()
  139. provided_gr = Graph().parse(data=input_rdf,
  140. format=mimetype, publicID=urn)
  141. logger.debug('Provided graph: {}'.format(
  142. pformat(set(provided_gr))))
  143. local_gr = g.tbox.localize_graph(provided_gr)
  144. logger.debug('Parsed local graph: {}'.format(
  145. pformat(set(local_gr))))
  146. provided_imr = Resource(local_gr, urn)
  147. # Determine whether it is a basic, direct or indirect container.
  148. if Ldpr.MBR_RSRC_URI in local_gr.predicates() and \
  149. Ldpr.MBR_REL_URI in local_gr.predicates():
  150. if Ldpr.INS_CNT_REL_URI in local_gr.predicates():
  151. cls = LdpIc
  152. else:
  153. cls = LdpDc
  154. else:
  155. cls = Ldpc
  156. inst = cls(uuid, provided_imr=provided_imr, **kwargs)
  157. # Make sure we are not updating an LDP-RS with an LDP-NR.
  158. if inst.is_stored and inst.LDP_NR_TYPE in inst.ldp_types:
  159. raise IncompatibleLdpTypeError(uuid, mimetype)
  160. inst._check_mgd_terms(inst.provided_imr.graph)
  161. else:
  162. # Create a LDP-NR and equip it with the binary file provided.
  163. provided_imr = Resource(Graph(), urn)
  164. inst = LdpNr(uuid, stream=stream, mimetype=mimetype,
  165. provided_imr=provided_imr, **kwargs)
  166. # Make sure we are not updating an LDP-NR with an LDP-RS.
  167. if inst.is_stored and inst.LDP_RS_TYPE in inst.ldp_types:
  168. raise IncompatibleLdpTypeError(uuid, mimetype)
  169. logger.info('Creating resource of type: {}'.format(
  170. inst.__class__.__name__))
  171. try:
  172. types = inst.types
  173. except:
  174. types = set()
  175. if nsc['fcrepo'].Pairtree in types:
  176. raise InvalidResourceError(inst.uuid)
  177. return inst
  178. @staticmethod
  179. def is_rdf_parsable(mimetype):
  180. '''
  181. Checks whether a MIME type support RDF parsing by a RDFLib plugin.
  182. @param mimetype (string) MIME type to check.
  183. '''
  184. try:
  185. rdflib.plugin.get(mimetype, rdflib.parser.Parser)
  186. except rdflib.plugin.PluginException:
  187. return False
  188. else:
  189. return True
  190. @staticmethod
  191. def is_rdf_serializable(mimetype):
  192. '''
  193. Checks whether a MIME type support RDF serialization by a RDFLib plugin
  194. @param mimetype (string) MIME type to check.
  195. '''
  196. try:
  197. rdflib.plugin.get(mimetype, rdflib.serializer.Serializer)
  198. except rdflib.plugin.PluginException:
  199. return False
  200. else:
  201. return True
  202. ## MAGIC METHODS ##
  203. def __init__(self, uuid, repr_opts={}, provided_imr=None, **kwargs):
  204. '''Instantiate an in-memory LDP resource that can be loaded from and
  205. persisted to storage.
  206. Persistence is done in this class. None of the operations in the store
  207. layout should commit an open transaction. Methods are wrapped in a
  208. transaction by using the `@atomic` decorator.
  209. @param uuid (string) UUID of the resource. If None (must be explicitly
  210. set) it refers to the root node. It can also be the full URI or URN,
  211. in which case it will be converted.
  212. @param repr_opts (dict) Options used to retrieve the IMR. See
  213. `parse_rfc7240` for format details.
  214. @Param provd_rdf (string) RDF data provided by the client in
  215. operations isuch as `PUT` or `POST`, serialized as a string. This sets
  216. the `provided_imr` property.
  217. '''
  218. self.uuid = g.tbox.uri_to_uuid(uuid) \
  219. if isinstance(uuid, URIRef) else uuid
  220. self.urn = nsc['fcres'][uuid] \
  221. if self.uuid else self.ROOT_NODE_URN
  222. self.uri = g.tbox.uuid_to_uri(self.uuid)
  223. self.rdfly = current_app.rdfly
  224. self.nonrdfly = current_app.nonrdfly
  225. self.provided_imr = provided_imr
  226. @property
  227. def rsrc(self):
  228. '''
  229. The RDFLib resource representing this LDPR. This is a live
  230. representation of the stored data if present.
  231. @return rdflib.resource.Resource
  232. '''
  233. if not hasattr(self, '_rsrc'):
  234. self._rsrc = self.rdfly.ds.resource(self.urn)
  235. return self._rsrc
  236. @property
  237. def imr(self):
  238. '''
  239. Extract an in-memory resource from the graph store.
  240. If the resource is not stored (yet), a `ResourceNotExistsError` is
  241. raised.
  242. @return rdflib.resource.Resource
  243. '''
  244. if not hasattr(self, '_imr'):
  245. if hasattr(self, '_imr_options'):
  246. self._logger.debug('IMR options: {}'.format(self._imr_options))
  247. imr_options = self._imr_options
  248. else:
  249. imr_options = {}
  250. options = dict(imr_options, strict=True)
  251. self._imr = self.rdfly.extract_imr(self.urn, **options)
  252. return self._imr
  253. @property
  254. def stored_or_new_imr(self):
  255. '''
  256. Extract an in-memory resource for harmless manipulation and output.
  257. If the resource is not stored (yet), initialize a new IMR with basic
  258. triples.
  259. @return rdflib.resource.Resource
  260. '''
  261. if not hasattr(self, '_imr'):
  262. if hasattr(self, '_imr_options'):
  263. self._logger.debug('IMR options: {}'.format(self._imr_options))
  264. imr_options = self._imr_options
  265. else:
  266. imr_options = {}
  267. options = dict(imr_options, strict=True)
  268. try:
  269. self._imr = self.rdfly.extract_imr(self.urn, **options)
  270. except ResourceNotExistsError:
  271. self._imr = Resource(Graph(), self.urn)
  272. for t in self.base_types:
  273. self.imr.add(RDF.type, t)
  274. return self._imr
  275. @imr.deleter
  276. def imr(self):
  277. '''
  278. Delete in-memory buffered resource.
  279. '''
  280. delattr(self, '_imr')
  281. @property
  282. def out_graph(self):
  283. '''
  284. Retun a globalized graph of the resource's IMR.
  285. Internal URNs are replaced by global URIs using the endpoint webroot.
  286. '''
  287. # Remove digest hash and version information.
  288. self.imr.remove(nsc['premis'].hasMessageDigest)
  289. self.imr.remove(nsc['fcrepo'].hasVersion)
  290. if not self._imr_options.get('incl_srv_mgd', True):
  291. for p in srv_mgd_predicates:
  292. self._logger.debug('Removing predicate: {}'.format(p))
  293. self.imr.remove(p)
  294. for t in srv_mgd_types:
  295. self._logger.debug('Removing type: {}'.format(t))
  296. self.imr.remove(RDF.type, t)
  297. out_gr = g.tbox.globalize_graph(self.imr.graph)
  298. # Clear IMR because it's been pruned. In the rare case it is needed
  299. # after this method, it will be retrieved again.
  300. delattr(self, 'imr')
  301. return out_gr
  302. @property
  303. def is_stored(self):
  304. if hasattr(self, '_imr'):
  305. return len(self.imr.graph) > 0
  306. else:
  307. return self.rdfly.ask_rsrc_exists(self.urn)
  308. @property
  309. def has_versions(self):
  310. '''
  311. Whether if a current resource has versions.
  312. @return boolean
  313. '''
  314. return bool(self.imr.value(nsc['fcrepo'].hasVersions, any=False))
  315. @property
  316. def types(self):
  317. '''All RDF types.
  318. @return set(rdflib.term.URIRef)
  319. '''
  320. if not hasattr(self, '_types'):
  321. if hasattr(self, 'imr') and len(self.imr.graph):
  322. imr = self.imr
  323. elif hasattr(self, 'provided_imr') and \
  324. len(self.provided_imr.graph):
  325. imr = provided_imr
  326. self._types = set(imr.graph[self.urn : RDF.type])
  327. return self._types
  328. @property
  329. def ldp_types(self):
  330. '''The LDP types.
  331. @return set(rdflib.term.URIRef)
  332. '''
  333. if not hasattr(self, '_ldp_types'):
  334. self._ldp_types = { t for t in self.types if nsc['ldp'] in t }
  335. return self._ldp_types
  336. ## LDP METHODS ##
  337. def head(self):
  338. '''
  339. Return values for the headers.
  340. '''
  341. out_headers = defaultdict(list)
  342. digest = self.imr.value(nsc['premis'].hasMessageDigest)
  343. if digest:
  344. etag = digest.identifier.split(':')[-1]
  345. out_headers['ETag'] = 'W/"{}"'.format(etag),
  346. last_updated_term = self.imr.value(nsc['fcrepo'].lastModified)
  347. if last_updated_term:
  348. out_headers['Last-Modified'] = arrow.get(last_updated_term)\
  349. .format('ddd, D MMM YYYY HH:mm:ss Z')
  350. for t in self.ldp_types:
  351. out_headers['Link'].append(
  352. '{};rel="type"'.format(t.n3()))
  353. return out_headers
  354. def get(self):
  355. '''
  356. This gets the RDF metadata. The binary retrieval is handled directly
  357. by the route.
  358. '''
  359. return self.out_graph
  360. @atomic
  361. def post(self):
  362. '''
  363. https://www.w3.org/TR/ldp/#ldpr-HTTP_POST
  364. Perform a POST action after a valid resource URI has been found.
  365. '''
  366. return self._create_or_replace_rsrc(create_only=True)
  367. @atomic
  368. def put(self):
  369. '''
  370. https://www.w3.org/TR/ldp/#ldpr-HTTP_PUT
  371. '''
  372. return self._create_or_replace_rsrc()
  373. def patch(self, *args, **kwargs):
  374. raise NotImplementedError()
  375. @atomic
  376. def delete(self, inbound=True, delete_children=True, leave_tstone=True):
  377. '''
  378. https://www.w3.org/TR/ldp/#ldpr-HTTP_DELETE
  379. @param inbound (boolean) If specified, delete all inbound relationships
  380. as well. This is the default and is always the case if referential
  381. integrity is enforced by configuration.
  382. @param delete_children (boolean) Whether to delete all child resources.
  383. This is the default.
  384. '''
  385. refint = current_app.config['store']['ldp_rs']['referential_integrity']
  386. inbound = True if refint else inbound
  387. children = self.imr[nsc['ldp'].contains * '+'] \
  388. if delete_children else []
  389. ret = self._delete_rsrc(inbound, leave_tstone)
  390. for child_uri in children:
  391. child_rsrc = Ldpr.outbound_inst(
  392. g.tbox.uri_to_uuid(child_uri.identifier),
  393. repr_opts={'incl_children' : False})
  394. child_rsrc._delete_rsrc(inbound, leave_tstone,
  395. tstone_pointer=self.urn)
  396. return ret
  397. @atomic
  398. def delete_tombstone(self):
  399. '''
  400. Delete a tombstone.
  401. N.B. This does not trigger an event.
  402. '''
  403. remove_trp = {
  404. (self.urn, RDF.type, nsc['fcsystem'].Tombstone),
  405. (self.urn, nsc['fcrepo'].created, None),
  406. (None, nsc['fcsystem'].tombstone, self.urn),
  407. }
  408. self.rdfly.modify_dataset(remove_trp)
  409. @atomic
  410. def create_version(self, label):
  411. '''
  412. Create a new version of the resource.
  413. NOTE: This creates an event only for the resource being updated (due
  414. to the added `hasVersion` triple and possibly to the `hasVersions` one)
  415. but not for the version being created.
  416. @param label Version label. If already existing, an exception is
  417. raised.
  418. '''
  419. add_gr = Graph()
  420. vers_uuid = '{}/{}'.format(self.uuid, self.RES_VER_CONT_LABEL)
  421. ver_uuid = '{}/{}'.format(vers_uuid, label)
  422. ver_urn = nsc['fcres'][ver_uuid]
  423. add_gr.add((ver_urn, RDF.type, nsc['fcrepo'].Version))
  424. for t in self.imr.graph:
  425. if t[1] == RDF.type and t[2] in {
  426. nsc['fcrepo'].Resource,
  427. nsc['fcrepo'].Container,
  428. nsc['fcrepo'].Binary,
  429. }:
  430. pass
  431. else:
  432. add_gr.add((
  433. g.tbox.replace_term_domain(t[0], self.urn, ver_urn),
  434. t[1], t[2]))
  435. self.rdfly.modify_dataset(add_trp=add_gr)
  436. # Update current resource with version relationship.
  437. add_gr = Graph()
  438. add_gr.add((
  439. self.urn, nsc['fcrepo'].hasVersion, ver_urn))
  440. if not self.has_versions:
  441. add_gr.add((
  442. self.urn, nsc['fcrepo'].hasVersions, nsc['fcres'][vers_uuid]))
  443. self._modify_rsrc(self.RES_UPDATED, add_trp=add_gr)
  444. return g.tbox.uuid_to_uri(vers_uuid)
  445. ## PROTECTED METHODS ##
  446. def _create_or_replace_rsrc(self, create_only=False):
  447. '''
  448. Create or update a resource. PUT and POST methods, which are almost
  449. identical, are wrappers for this method.
  450. @param create_only (boolean) Whether this is a create-only operation.
  451. '''
  452. create = create_only or not self.is_stored
  453. self._add_srv_mgd_triples(create)
  454. self._ensure_single_subject_rdf(self.provided_imr.graph)
  455. ref_int = self.rdfly.config['referential_integrity']
  456. if ref_int:
  457. self._check_ref_int(ref_int)
  458. if create:
  459. ev_type = self._create_rsrc()
  460. else:
  461. ev_type = self._replace_rsrc()
  462. self._set_containment_rel()
  463. return ev_type
  464. def _create_rsrc(self):
  465. '''
  466. Create a new resource by comparing an empty graph with the provided
  467. IMR graph.
  468. '''
  469. self._modify_rsrc(self.RES_CREATED, add_trp=self.provided_imr.graph)
  470. return self.RES_CREATED
  471. def _replace_rsrc(self):
  472. '''
  473. Replace a resource.
  474. The existing resource graph is removed except for the protected terms.
  475. '''
  476. # The extracted IMR is used as a "minus" delta, so protected predicates
  477. # must be removed.
  478. for p in self.protected_pred:
  479. self.imr.remove(p)
  480. delta = self._dedup_deltas(self.imr.graph, self.provided_imr.graph)
  481. self._modify_rsrc(self.RES_UPDATED, *delta)
  482. # Reset the IMR because it has changed.
  483. delattr(self, 'imr')
  484. return self.RES_UPDATED
  485. def _delete_rsrc(self, inbound, leave_tstone=True, tstone_pointer=None):
  486. '''
  487. Delete a single resource and create a tombstone.
  488. @param inbound (boolean) Whether to delete the inbound relationships.
  489. @param tstone_pointer (URIRef) If set to a URN, this creates a pointer
  490. to the tombstone of the resource that used to contain the deleted
  491. resource. Otherwise the delete resource becomes a tombstone.
  492. '''
  493. self._logger.info('Removing resource {}'.format(self.urn))
  494. remove_trp = self.imr.graph
  495. add_trp = Graph()
  496. if leave_tstone:
  497. if tstone_pointer:
  498. add_trp.add((self.urn, nsc['fcsystem'].tombstone,
  499. tstone_pointer))
  500. else:
  501. add_trp.add((self.urn, RDF.type, nsc['fcsystem'].Tombstone))
  502. add_trp.add((self.urn, nsc['fcrepo'].created, g.timestamp_term))
  503. else:
  504. self._logger.info('NOT leaving tombstone.')
  505. self._modify_rsrc(self.RES_DELETED, remove_trp, add_trp)
  506. if inbound:
  507. remove_trp = set()
  508. for ib_rsrc_uri in self.imr.graph.subjects(None, self.urn):
  509. remove_trp = {(ib_rsrc_uri, None, self.urn)}
  510. Ldpr(ib_rsrc_uri)._modify_rsrc(self.RES_UPDATED, remove_trp)
  511. return self.RES_DELETED
  512. def _create_version_container(self):
  513. '''
  514. Create the relationship with `fcr:versions` the first time a version is
  515. created.
  516. '''
  517. add_gr = Graph()
  518. add_gr.add((self.urn, nsc['fcrepo'].hasVersions,
  519. URIRef(str(self.urn) + '/fcr:versions')))
  520. self._modify_rsrc(self.RES_UPDATED, add_trp=add_gr)
  521. def _modify_rsrc(self, ev_type, remove_trp=Graph(), add_trp=Graph()):
  522. '''
  523. Low-level method to modify a graph for a single resource.
  524. This is a crucial point for messaging. Any write operation on the RDF
  525. store that needs to be notified should be performed by invoking this
  526. method.
  527. @param ev_type (string) The type of event (create, update, delete).
  528. @param remove_trp (rdflib.Graph) Triples to be removed.
  529. @param add_trp (rdflib.Graph) Triples to be added.
  530. '''
  531. # If one of the triple sets is not a graph, do a set merge and
  532. # filtering. This is necessary to support non-RDF terms (e.g.
  533. # variables).
  534. if not isinstance(remove_trp, Graph) or not isinstance(add_trp, Graph):
  535. if isinstance(remove_trp, Graph):
  536. remove_trp = set(remove_trp)
  537. if isinstance(add_trp, Graph):
  538. add_trp = set(add_trp)
  539. merge_gr = remove_trp | add_trp
  540. type = { trp[2] for trp in merge_gr if trp[1] == RDF.type }
  541. actor = { trp[2] for trp in merge_gr \
  542. if trp[1] == nsc['fcrepo'].createdBy }
  543. else:
  544. merge_gr = remove_trp | add_trp
  545. type = merge_gr[self.urn : RDF.type]
  546. actor = merge_gr[self.urn : nsc['fcrepo'].createdBy]
  547. ret = self.rdfly.modify_dataset(remove_trp, add_trp)
  548. if current_app.config.get('messaging'):
  549. request.changelog.append((set(remove_trp), set(add_trp), {
  550. 'ev_type' : ev_type,
  551. 'time' : g.timestamp,
  552. 'type' : type,
  553. 'actor' : actor,
  554. }))
  555. return ret
  556. def _ensure_single_subject_rdf(self, gr):
  557. '''
  558. Ensure that a RDF payload for a POST or PUT has a single resource.
  559. '''
  560. for s in set(gr.subjects()):
  561. if not s == self.urn:
  562. raise SingleSubjectError(s, self.uuid)
  563. def _check_ref_int(self, config):
  564. gr = self.provided_imr.graph
  565. for o in gr.objects():
  566. if isinstance(o, URIRef) and str(o).startswith(g.webroot)\
  567. and not self.rdfly.ask_rsrc_exists(o):
  568. if config == 'strict':
  569. raise RefIntViolationError(o)
  570. else:
  571. self._logger.info(
  572. 'Removing link to non-existent repo resource: {}'
  573. .format(o))
  574. gr.remove((None, None, o))
  575. def _check_mgd_terms(self, gr):
  576. '''
  577. Check whether server-managed terms are in a RDF payload.
  578. '''
  579. # @FIXME Need to be more consistent
  580. if getattr(self, 'handling', 'none') == 'none':
  581. return gr
  582. offending_subjects = set(gr.subjects()) & srv_mgd_subjects
  583. if offending_subjects:
  584. if self.handling=='strict':
  585. raise ServerManagedTermError(offending_subjects, 's')
  586. else:
  587. for s in offending_subjects:
  588. self._logger.info('Removing offending subj: {}'.format(s))
  589. gr.remove((s, None, None))
  590. offending_predicates = set(gr.predicates()) & srv_mgd_predicates
  591. if offending_predicates:
  592. if self.handling=='strict':
  593. raise ServerManagedTermError(offending_predicates, 'p')
  594. else:
  595. for p in offending_predicates:
  596. self._logger.info('Removing offending pred: {}'.format(p))
  597. gr.remove((None, p, None))
  598. offending_types = set(gr.objects(predicate=RDF.type)) & srv_mgd_types
  599. if offending_types:
  600. if self.handling=='strict':
  601. raise ServerManagedTermError(offending_types, 't')
  602. else:
  603. for t in offending_types:
  604. self._logger.info('Removing offending type: {}'.format(t))
  605. gr.remove((None, RDF.type, t))
  606. self._logger.debug('Sanitized graph: {}'.format(gr.serialize(
  607. format='turtle').decode('utf-8')))
  608. return gr
  609. def _sparql_delta(self, q):
  610. '''
  611. Calculate the delta obtained by a SPARQL Update operation.
  612. This is a critical component of the SPARQL query prcess and does a
  613. couple of things:
  614. 1. It ensures that no resources outside of the subject of the request
  615. are modified (e.g. by variable subjects)
  616. 2. It verifies that none of the terms being modified is server managed.
  617. This method extracts an in-memory copy of the resource and performs the
  618. query on that once it has checked if any of the server managed terms is
  619. in the delta. If it is, it raises an exception.
  620. NOTE: This only checks if a server-managed term is effectively being
  621. modified. If a server-managed term is present in the query but does not
  622. cause any change in the updated resource, no error is raised.
  623. @return tuple(rdflib.Graph) Remove and add graphs. These can be used
  624. with `BaseStoreLayout.update_resource` and/or recorded as separate
  625. events in a provenance tracking system.
  626. '''
  627. pre_gr = self.imr.graph
  628. post_gr = deepcopy(pre_gr)
  629. post_gr.update(q)
  630. remove_gr, add_gr = self._dedup_deltas(pre_gr, post_gr)
  631. #self._logger.info('Removing: {}'.format(
  632. # remove_gr.serialize(format='turtle').decode('utf8')))
  633. #self._logger.info('Adding: {}'.format(
  634. # add_gr.serialize(format='turtle').decode('utf8')))
  635. remove_gr = self._check_mgd_terms(remove_gr)
  636. add_gr = self._check_mgd_terms(add_gr)
  637. return remove_gr, add_gr
  638. def _add_srv_mgd_triples(self, create=False):
  639. '''
  640. Add server-managed triples to a provided IMR.
  641. @param create (boolean) Whether the resource is being created.
  642. '''
  643. # Base LDP types.
  644. for t in self.base_types:
  645. self.provided_imr.add(RDF.type, t)
  646. # Message digest.
  647. cksum = g.tbox.rdf_cksum(self.provided_imr.graph)
  648. self.provided_imr.set(nsc['premis'].hasMessageDigest,
  649. URIRef('urn:sha1:{}'.format(cksum)))
  650. # Create and modify timestamp.
  651. if create:
  652. self.provided_imr.set(nsc['fcrepo'].created, g.timestamp_term)
  653. self.provided_imr.set(nsc['fcrepo'].createdBy, self.DEFAULT_USER)
  654. self.provided_imr.set(nsc['fcrepo'].lastModified, g.timestamp_term)
  655. self.provided_imr.set(nsc['fcrepo'].lastModifiedBy, self.DEFAULT_USER)
  656. def _set_containment_rel(self):
  657. '''Find the closest parent in the path indicated by the UUID and
  658. establish a containment triple.
  659. E.g. if only urn:fcres:a (short: a) exists:
  660. - If a/b/c/d is being created, a becomes container of a/b/c/d. Also,
  661. pairtree nodes are created for a/b and a/b/c.
  662. - If e is being created, the root node becomes container of e.
  663. '''
  664. # @FIXME Circular reference.
  665. from lakesuperior.model.ldp_rs import Ldpc
  666. if self.urn == self.ROOT_NODE_URN:
  667. return
  668. elif '/' in self.uuid:
  669. # Traverse up the hierarchy to find the parent.
  670. parent_uri = self._find_parent_or_create_pairtree(self.uuid)
  671. else:
  672. parent_uri = self.ROOT_NODE_URN
  673. add_gr = Graph()
  674. add_gr.add((parent_uri, nsc['ldp'].contains, self.urn))
  675. parent_rsrc = Ldpc(parent_uri, repr_opts={
  676. 'incl_children' : False}, handling='none')
  677. parent_rsrc._modify_rsrc(self.RES_UPDATED, add_trp=add_gr)
  678. # Direct or indirect container relationship.
  679. self._add_ldp_dc_ic_rel(parent_uri)
  680. def _find_parent_or_create_pairtree(self, uuid):
  681. '''
  682. Check the path-wise parent of the new resource. If it exists, return
  683. its URI. Otherwise, create pairtree resources up the path until an
  684. actual resource or the root node is found.
  685. @return rdflib.term.URIRef
  686. '''
  687. path_components = uuid.split('/')
  688. # If there is only on element, the parent is the root node.
  689. if len(path_components) < 2:
  690. return self.ROOT_NODE_URN
  691. # Build search list, e.g. for a/b/c/d/e would be a/b/c/d, a/b/c, a/b, a
  692. self._logger.info('Path components: {}'.format(path_components))
  693. fwd_search_order = accumulate(
  694. list(path_components)[:-1],
  695. func=lambda x,y : x + '/' + y
  696. )
  697. rev_search_order = reversed(list(fwd_search_order))
  698. cur_child_uri = nsc['fcres'][uuid]
  699. for cparent_uuid in rev_search_order:
  700. cparent_uri = nsc['fcres'][cparent_uuid]
  701. if self.rdfly.ask_rsrc_exists(cparent_uri):
  702. return cparent_uri
  703. else:
  704. self._create_path_segment(cparent_uri, cur_child_uri)
  705. cur_child_uri = cparent_uri
  706. return self.ROOT_NODE_URN
  707. def _dedup_deltas(self, remove_gr, add_gr):
  708. '''
  709. Remove duplicate triples from add and remove delta graphs, which would
  710. otherwise contain unnecessary statements that annul each other.
  711. '''
  712. return (
  713. remove_gr - add_gr,
  714. add_gr - remove_gr
  715. )
  716. def _create_path_segment(self, uri, child_uri):
  717. '''
  718. Create a path segment with a non-LDP containment statement.
  719. This diverges from the default fcrepo4 behavior which creates pairtree
  720. resources.
  721. If a resource such as `fcres:a/b/c` is created, and neither fcres:a or
  722. fcres:a/b exists, we have to create two "hidden" containment statements
  723. between a and a/b and between a/b and a/b/c in order to maintain the
  724. `containment chain.
  725. '''
  726. imr = Resource(Graph(), uri)
  727. imr.add(RDF.type, nsc['ldp'].Container)
  728. imr.add(RDF.type, nsc['ldp'].BasicContainer)
  729. imr.add(RDF.type, nsc['ldp'].RDFSource)
  730. imr.add(RDF.type, nsc['fcrepo'].Pairtree)
  731. imr.add(nsc['fcrepo'].contains, child_uri)
  732. # If the path segment is just below root
  733. if '/' not in str(uri):
  734. imr.graph.add((nsc['fcsystem'].root, nsc['fcrepo'].contains, uri))
  735. self.rdfly.modify_dataset(add_trp=imr.graph)
  736. def _add_ldp_dc_ic_rel(self, cont_uri):
  737. '''
  738. Add relationship triples from a parent direct or indirect container.
  739. @param cont_uri (rdflib.term.URIRef) The container URI.
  740. '''
  741. cont_uuid = g.tbox.uri_to_uuid(cont_uri)
  742. cont_rsrc = Ldpr.outbound_inst(cont_uuid,
  743. repr_opts={'incl_children' : False})
  744. cont_p = set(cont_rsrc.imr.graph.predicates())
  745. add_gr = Graph()
  746. self._logger.info('Checking direct or indirect containment.')
  747. self._logger.debug('Parent predicates: {}'.format(cont_p))
  748. if self.MBR_RSRC_URI in cont_p and self.MBR_REL_URI in cont_p:
  749. s = g.tbox.localize_term(
  750. cont_rsrc.imr.value(self.MBR_RSRC_URI).identifier)
  751. p = cont_rsrc.imr.value(self.MBR_REL_URI).identifier
  752. if cont_rsrc.imr[RDF.type : nsc['ldp'].DirectContainer]:
  753. self._logger.info('Parent is a direct container.')
  754. self._logger.debug('Creating DC triples.')
  755. add_gr.add((s, p, self.urn))
  756. elif cont_rsrc.imr[RDF.type : nsc['ldp'].IndirectContainer] \
  757. and self.INS_CNT_REL_URI in cont_p:
  758. self._logger.info('Parent is an indirect container.')
  759. cont_rel_uri = cont_rsrc.imr.value(self.INS_CNT_REL_URI).identifier
  760. target_uri = self.provided_imr.value(cont_rel_uri).identifier
  761. self._logger.debug('Target URI: {}'.format(target_uri))
  762. if target_uri:
  763. self._logger.debug('Creating IC triples.')
  764. add_gr.add((s, p, target_uri))
  765. if len(add_gr):
  766. add_gr = self._check_mgd_terms(add_gr)
  767. self._logger.debug('Adding DC/IC triples: {}'.format(
  768. add_gr.serialize(format='turtle').decode('utf-8')))
  769. self._modify_rsrc(self.RES_UPDATED, add_trp=add_gr)
  770. def _send_event_msg(self, remove_trp, add_trp, metadata):
  771. '''
  772. Break down delta triples, find subjects and send event message.
  773. '''
  774. remove_grp = groupby(remove_trp, lambda x : x[0])
  775. remove_dict = { k[0] : k[1] for k in remove_grp }
  776. add_grp = groupby(add_trp, lambda x : x[0])
  777. add_dict = { k[0] : k[1] for k in add_grp }
  778. subjects = set(remove_dict.keys()) | set(add_dict.keys())
  779. for rsrc_uri in subjects:
  780. self._logger.info('subject: {}'.format(rsrc_uri))
  781. #current_app.messenger.send