ldpr.py 33 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004
  1. import logging
  2. from abc import ABCMeta
  3. from collections import defaultdict
  4. from itertools import accumulate, groupby
  5. from pprint import pformat
  6. from uuid import uuid4
  7. import arrow
  8. from flask import current_app, g, request
  9. from rdflib import Graph
  10. from rdflib.resource import Resource
  11. from rdflib.namespace import RDF
  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 *
  17. from lakesuperior.model.ldp_factory import LdpFactory
  18. def atomic(fn):
  19. '''
  20. Handle atomic operations in an RDF store.
  21. This wrapper ensures that a write operation is performed atomically. It
  22. also takes care of sending a message for each resource changed in the
  23. transaction.
  24. '''
  25. def wrapper(self, *args, **kwargs):
  26. request.changelog = []
  27. try:
  28. ret = fn(self, *args, **kwargs)
  29. except:
  30. self._logger.warn('Rolling back transaction.')
  31. self.rdfly.store.rollback()
  32. raise
  33. else:
  34. self._logger.info('Committing transaction.')
  35. self.rdfly.store.commit()
  36. for ev in request.changelog:
  37. #self._logger.info('Message: {}'.format(pformat(ev)))
  38. self._send_event_msg(*ev)
  39. return ret
  40. return wrapper
  41. class Ldpr(metaclass=ABCMeta):
  42. '''LDPR (LDP Resource).
  43. Definition: https://www.w3.org/TR/ldp/#ldpr-resource
  44. This class and related subclasses contain the implementation pieces of
  45. the vanilla LDP specifications. This is extended by the
  46. `lakesuperior.fcrepo.Resource` class.
  47. Inheritance graph: https://www.w3.org/TR/ldp/#fig-ldpc-types
  48. Note: Even though LdpNr (which is a subclass of Ldpr) handles binary files,
  49. it still has an RDF representation in the triplestore. Hence, some of the
  50. RDF-related methods are defined in this class rather than in the LdpRs
  51. class.
  52. Convention notes:
  53. All the methods in this class handle internal UUIDs (URN). Public-facing
  54. URIs are converted from URNs and passed by these methods to the methods
  55. handling HTTP negotiation.
  56. The data passed to the store layout for processing should be in a graph.
  57. All conversion from request payload strings is done here.
  58. '''
  59. EMBED_CHILD_RES_URI = nsc['fcrepo'].EmbedResources
  60. FCREPO_PTREE_TYPE = nsc['fcrepo'].Pairtree
  61. INS_CNT_REL_URI = nsc['ldp'].insertedContentRelation
  62. MBR_RSRC_URI = nsc['ldp'].membershipResource
  63. MBR_REL_URI = nsc['ldp'].hasMemberRelation
  64. RETURN_CHILD_RES_URI = nsc['fcrepo'].Children
  65. RETURN_INBOUND_REF_URI = nsc['fcrepo'].InboundReferences
  66. RETURN_SRV_MGD_RES_URI = nsc['fcrepo'].ServerManaged
  67. ROOT_NODE_URN = nsc['fcsystem'].root
  68. # Workflow type. Inbound means that the resource is being written to the
  69. # store, outbounnd is being retrieved for output.
  70. WRKF_INBOUND = '_workflow:inbound_'
  71. WRKF_OUTBOUND = '_workflow:outbound_'
  72. # Default user to be used for the `createdBy` and `lastUpdatedBy` if a user
  73. # is not provided.
  74. DEFAULT_USER = Literal('BypassAdmin')
  75. RES_CREATED = '_create_'
  76. RES_DELETED = '_delete_'
  77. RES_UPDATED = '_update_'
  78. RES_VER_CONT_LABEL = 'fcr:versions'
  79. base_types = {
  80. nsc['fcrepo'].Resource,
  81. nsc['ldp'].Resource,
  82. nsc['ldp'].RDFSource,
  83. }
  84. protected_pred = (
  85. nsc['fcrepo'].created,
  86. nsc['fcrepo'].createdBy,
  87. nsc['ldp'].contains,
  88. )
  89. _logger = logging.getLogger(__name__)
  90. ## MAGIC METHODS ##
  91. def __init__(self, uuid, repr_opts={}, provided_imr=None, **kwargs):
  92. '''Instantiate an in-memory LDP resource that can be loaded from and
  93. persisted to storage.
  94. Persistence is done in this class. None of the operations in the store
  95. layout should commit an open transaction. Methods are wrapped in a
  96. transaction by using the `@atomic` decorator.
  97. @param uuid (string) UUID of the resource. If None (must be explicitly
  98. set) it refers to the root node. It can also be the full URI or URN,
  99. in which case it will be converted.
  100. @param repr_opts (dict) Options used to retrieve the IMR. See
  101. `parse_rfc7240` for format details.
  102. @Param provd_rdf (string) RDF data provided by the client in
  103. operations isuch as `PUT` or `POST`, serialized as a string. This sets
  104. the `provided_imr` property.
  105. '''
  106. self.uuid = g.tbox.uri_to_uuid(uuid) \
  107. if isinstance(uuid, URIRef) else uuid
  108. self.urn = nsc['fcres'][uuid] \
  109. if self.uuid else self.ROOT_NODE_URN
  110. self.uri = g.tbox.uuid_to_uri(self.uuid)
  111. self.rdfly = current_app.rdfly
  112. self.nonrdfly = current_app.nonrdfly
  113. self.provided_imr = provided_imr
  114. @property
  115. def rsrc(self):
  116. '''
  117. The RDFLib resource representing this LDPR. This is a live
  118. representation of the stored data if present.
  119. @return rdflib.resource.Resource
  120. '''
  121. if not hasattr(self, '_rsrc'):
  122. self._rsrc = self.rdfly.ds.resource(self.urn)
  123. return self._rsrc
  124. @property
  125. def imr(self):
  126. '''
  127. Extract an in-memory resource from the graph store.
  128. If the resource is not stored (yet), a `ResourceNotExistsError` is
  129. raised.
  130. @return rdflib.resource.Resource
  131. '''
  132. if not hasattr(self, '_imr'):
  133. if hasattr(self, '_imr_options'):
  134. #self._logger.debug('IMR options: {}'.format(self._imr_options))
  135. imr_options = self._imr_options
  136. else:
  137. imr_options = {}
  138. options = dict(imr_options, strict=True)
  139. self._imr = self.rdfly.extract_imr(self.urn, **options)
  140. return self._imr
  141. @property
  142. def stored_or_new_imr(self):
  143. '''
  144. Extract an in-memory resource for harmless manipulation and output.
  145. If the resource is not stored (yet), initialize a new IMR with basic
  146. triples.
  147. @return rdflib.resource.Resource
  148. '''
  149. if not hasattr(self, '_imr'):
  150. if hasattr(self, '_imr_options'):
  151. #self._logger.debug('IMR options: {}'.format(self._imr_options))
  152. imr_options = self._imr_options
  153. else:
  154. imr_options = {}
  155. options = dict(imr_options, strict=True)
  156. try:
  157. self._imr = self.rdfly.extract_imr(self.urn, **options)
  158. except ResourceNotExistsError:
  159. self._imr = Resource(Graph(), self.urn)
  160. for t in self.base_types:
  161. self.imr.add(RDF.type, t)
  162. return self._imr
  163. @imr.deleter
  164. def imr(self):
  165. '''
  166. Delete in-memory buffered resource.
  167. '''
  168. delattr(self, '_imr')
  169. @property
  170. def out_graph(self):
  171. '''
  172. Retun a globalized graph of the resource's IMR.
  173. Internal URNs are replaced by global URIs using the endpoint webroot.
  174. '''
  175. out_gr = Graph()
  176. for t in self.imr.graph:
  177. if (
  178. # Exclude digest hash and version information.
  179. t[1] not in {
  180. nsc['premis'].hasMessageDigest,
  181. nsc['fcrepo'].hasVersion,
  182. }
  183. ) and (
  184. # Only include server managed triples if requested.
  185. self._imr_options.get('incl_srv_mgd', True)
  186. or (
  187. not t[1] in srv_mgd_predicates
  188. and not (t[1] == RDF.type or t[2] in srv_mgd_types)
  189. )
  190. ):
  191. out_gr.add(t)
  192. return out_gr
  193. @property
  194. def version_info(self):
  195. '''
  196. Return version metadata (`fcr:versions`).
  197. '''
  198. if not hasattr(self, '_version_info'):
  199. try:
  200. self._version_info = self.rdfly.get_version_info(self.urn)
  201. except ResourceNotExistsError as e:
  202. self._version_info = Graph()
  203. return self._version_info
  204. @property
  205. def versions(self):
  206. '''
  207. Return a generator of version URIs.
  208. '''
  209. return set(self.version_info[self.urn : nsc['fcrepo'].hasVersion :])
  210. @property
  211. def version_uids(self):
  212. '''
  213. Return a generator of version UIDs (relative to their parent resource).
  214. '''
  215. gen = self.version_info[
  216. self.urn
  217. : nsc['fcrepo'].hasVersion / nsc['fcrepo'].hasVersionLabel
  218. :]
  219. return { str(uid) for uid in gen }
  220. @property
  221. def is_stored(self):
  222. if hasattr(self, '_imr'):
  223. return len(self.imr.graph) > 0
  224. else:
  225. return self.rdfly.ask_rsrc_exists(self.urn)
  226. @property
  227. def types(self):
  228. '''All RDF types.
  229. @return set(rdflib.term.URIRef)
  230. '''
  231. if not hasattr(self, '_types'):
  232. if hasattr(self, 'imr') and len(self.imr.graph):
  233. imr = self.imr
  234. elif hasattr(self, 'provided_imr') and \
  235. len(self.provided_imr.graph):
  236. imr = provided_imr
  237. self._types = set(imr.graph[self.urn : RDF.type])
  238. return self._types
  239. @property
  240. def ldp_types(self):
  241. '''The LDP types.
  242. @return set(rdflib.term.URIRef)
  243. '''
  244. if not hasattr(self, '_ldp_types'):
  245. self._ldp_types = { t for t in self.types if nsc['ldp'] in t }
  246. return self._ldp_types
  247. ## LDP METHODS ##
  248. def head(self):
  249. '''
  250. Return values for the headers.
  251. '''
  252. out_headers = defaultdict(list)
  253. digest = self.imr.value(nsc['premis'].hasMessageDigest)
  254. if digest:
  255. etag = digest.identifier.split(':')[-1]
  256. out_headers['ETag'] = 'W/"{}"'.format(etag),
  257. last_updated_term = self.imr.value(nsc['fcrepo'].lastModified)
  258. if last_updated_term:
  259. out_headers['Last-Modified'] = arrow.get(last_updated_term)\
  260. .format('ddd, D MMM YYYY HH:mm:ss Z')
  261. for t in self.ldp_types:
  262. out_headers['Link'].append(
  263. '{};rel="type"'.format(t.n3()))
  264. return out_headers
  265. def get(self):
  266. '''
  267. This gets the RDF metadata. The binary retrieval is handled directly
  268. by the route.
  269. '''
  270. return g.tbox.globalize_graph(self.out_graph)
  271. @atomic
  272. def post(self):
  273. '''
  274. https://www.w3.org/TR/ldp/#ldpr-HTTP_POST
  275. Perform a POST action after a valid resource URI has been found.
  276. '''
  277. return self._create_or_replace_rsrc(create_only=True)
  278. @atomic
  279. def put(self):
  280. '''
  281. https://www.w3.org/TR/ldp/#ldpr-HTTP_PUT
  282. '''
  283. return self._create_or_replace_rsrc()
  284. def patch(self, *args, **kwargs):
  285. raise NotImplementedError()
  286. @atomic
  287. def delete(self, inbound=True, delete_children=True, leave_tstone=True):
  288. '''
  289. https://www.w3.org/TR/ldp/#ldpr-HTTP_DELETE
  290. @param inbound (boolean) If specified, delete all inbound relationships
  291. as well. This is the default and is always the case if referential
  292. integrity is enforced by configuration.
  293. @param delete_children (boolean) Whether to delete all child resources.
  294. This is the default.
  295. '''
  296. refint = current_app.config['store']['ldp_rs']['referential_integrity']
  297. inbound = True if refint else inbound
  298. children = self.imr[nsc['ldp'].contains * '+'] \
  299. if delete_children else []
  300. if leave_tstone:
  301. ret = self._bury_rsrc(inbound)
  302. else:
  303. ret = self._purge_rsrc(inbound)
  304. for child_uri in children:
  305. child_rsrc = LdpFactory.from_stored(
  306. g.tbox.uri_to_uuid(child_uri.identifier),
  307. repr_opts={'incl_children' : False})
  308. if leave_tstone:
  309. child_rsrc._bury_rsrc(inbound, tstone_pointer=self.urn)
  310. else:
  311. child_rsrc._purge_rsrc(inbound)
  312. return ret
  313. @atomic
  314. def resurrect(self):
  315. '''
  316. Resurrect a resource from a tombstone.
  317. @EXPERIMENTAL
  318. '''
  319. tstone_trp = set(self.rdfly.extract_imr(self.urn, strict=False).graph)
  320. ver_rsp = self.version_info.query('''
  321. SELECT ?uid {
  322. ?latest fcrepo:hasVersionLabel ?uid ;
  323. fcrepo:created ?ts .
  324. }
  325. ORDER BY DESC(?ts)
  326. LIMIT 1
  327. ''')
  328. ver_uid = str(ver_rsp.bindings[0]['uid'])
  329. ver_trp = set(self.rdfly.get_version(self.urn, ver_uid))
  330. laz_gr = Graph()
  331. for t in ver_trp:
  332. if t[1] != RDF.type or t[2] not in {
  333. nsc['fcrepo'].Version,
  334. }:
  335. laz_gr.add((self.urn, t[1], t[2]))
  336. laz_gr.add((self.urn, RDF.type, nsc['fcrepo'].Resource))
  337. if nsc['ldp'].NonRdfSource in laz_gr[: RDF.type :]:
  338. laz_gr.add((self.urn, RDF.type, nsc['fcrepo'].Binary))
  339. elif nsc['ldp'].Container in laz_gr[: RDF.type :]:
  340. laz_gr.add((self.urn, RDF.type, nsc['fcrepo'].Container))
  341. self._modify_rsrc(self.RES_CREATED, tstone_trp, set(laz_gr))
  342. self._set_containment_rel()
  343. return self.uri
  344. @atomic
  345. def purge(self, inbound=True):
  346. '''
  347. Delete a tombstone and all historic snapstots.
  348. N.B. This does not trigger an event.
  349. '''
  350. refint = current_app.config['store']['ldp_rs']['referential_integrity']
  351. inbound = True if refint else inbound
  352. return self._purge_rsrc(inbound)
  353. def get_version_info(self):
  354. '''
  355. Get the `fcr:versions` graph.
  356. '''
  357. return g.tbox.globalize_graph(self.version_info)
  358. def get_version(self, ver_uid):
  359. '''
  360. Get a version by label.
  361. '''
  362. ver_gr = self.rdfly.get_version(self.urn, ver_uid)
  363. return g.tbox.globalize_graph(ver_gr)
  364. @atomic
  365. def create_version(self, ver_uid):
  366. '''
  367. Create a new version of the resource.
  368. NOTE: This creates an event only for the resource being updated (due
  369. to the added `hasVersion` triple and possibly to the `hasVersions` one)
  370. but not for the version being created.
  371. @param ver_uid Version ver_uid. If already existing, an exception is
  372. raised.
  373. '''
  374. if not ver_uid or ver_uid in self.version_uids:
  375. ver_uid = str(uuid4())
  376. return g.tbox.globalize_term(self._create_rsrc_version(ver_uid))
  377. @atomic
  378. def revert_to_version(self, ver_uid, backup=True):
  379. '''
  380. Revert to a previous version.
  381. NOTE: this will create a new version.
  382. @param ver_uid (string) Version UID.
  383. @param backup (boolean) Whether to create a backup copy. Default is
  384. true.
  385. '''
  386. # Create a backup snapshot.
  387. if backup:
  388. self.create_version(uuid4())
  389. ver_gr = self.rdfly.get_version(self.urn, ver_uid)
  390. revert_gr = Graph()
  391. for t in ver_gr:
  392. if t[1] not in srv_mgd_predicates and not(
  393. t[1] == RDF.type and t[2] in srv_mgd_types
  394. ):
  395. revert_gr.add((self.urn, t[1], t[2]))
  396. self.provided_imr = revert_gr.resource(self.urn)
  397. return self._create_or_replace_rsrc(create_only=False)
  398. ## PROTECTED METHODS ##
  399. def _create_or_replace_rsrc(self, create_only=False):
  400. '''
  401. Create or update a resource. PUT and POST methods, which are almost
  402. identical, are wrappers for this method.
  403. @param create_only (boolean) Whether this is a create-only operation.
  404. '''
  405. create = create_only or not self.is_stored
  406. self._add_srv_mgd_triples(create)
  407. self._ensure_single_subject_rdf(self.provided_imr.graph)
  408. ref_int = self.rdfly.config['referential_integrity']
  409. if ref_int:
  410. self._check_ref_int(ref_int)
  411. if create:
  412. ev_type = self._create_rsrc()
  413. else:
  414. ev_type = self._replace_rsrc()
  415. self._set_containment_rel()
  416. return ev_type
  417. def _create_rsrc(self):
  418. '''
  419. Create a new resource by comparing an empty graph with the provided
  420. IMR graph.
  421. '''
  422. self._modify_rsrc(self.RES_CREATED, add_trp=self.provided_imr.graph)
  423. return self.RES_CREATED
  424. def _replace_rsrc(self):
  425. '''
  426. Replace a resource.
  427. The existing resource graph is removed except for the protected terms.
  428. '''
  429. # The extracted IMR is used as a "minus" delta, so protected predicates
  430. # must be removed.
  431. for p in self.protected_pred:
  432. self.imr.remove(p)
  433. delta = self._dedup_deltas(self.imr.graph, self.provided_imr.graph)
  434. self._modify_rsrc(self.RES_UPDATED, *delta)
  435. # Reset the IMR because it has changed.
  436. delattr(self, 'imr')
  437. return self.RES_UPDATED
  438. def _bury_rsrc(self, inbound, tstone_pointer=None):
  439. '''
  440. Delete a single resource and create a tombstone.
  441. @param inbound (boolean) Whether to delete the inbound relationships.
  442. @param tstone_pointer (URIRef) If set to a URN, this creates a pointer
  443. to the tombstone of the resource that used to contain the deleted
  444. resource. Otherwise the deleted resource becomes a tombstone.
  445. '''
  446. self._logger.info('Removing resource {}'.format(self.urn))
  447. # Create a backup snapshot for resurrection purposes.
  448. self._create_rsrc_version(uuid4())
  449. remove_trp = self.imr.graph
  450. add_trp = Graph()
  451. if tstone_pointer:
  452. add_trp.add((self.urn, nsc['fcsystem'].tombstone,
  453. tstone_pointer))
  454. else:
  455. add_trp.add((self.urn, RDF.type, nsc['fcsystem'].Tombstone))
  456. add_trp.add((self.urn, nsc['fcrepo'].created, g.timestamp_term))
  457. self._modify_rsrc(self.RES_DELETED, remove_trp, add_trp)
  458. if inbound:
  459. for ib_rsrc_uri in self.imr.graph.subjects(None, self.urn):
  460. remove_trp = {(ib_rsrc_uri, None, self.urn)}
  461. Ldpr(ib_rsrc_uri)._modify_rsrc(self.RES_UPDATED, remove_trp)
  462. return self.RES_DELETED
  463. def _purge_rsrc(self, inbound):
  464. '''
  465. Remove all traces of a resource and versions.
  466. '''
  467. self._logger.info('Purging resource {}'.format(self.urn))
  468. # Remove resource itself.
  469. self.rdfly.modify_dataset({(self.urn, None, None)}, types=None)
  470. # Remove snapshots.
  471. for snap_urn in self.versions:
  472. remove_trp = {
  473. (snap_urn, None, None),
  474. (None, None, snap_urn),
  475. }
  476. self.rdfly.modify_dataset(remove_trp, types={})
  477. # Remove inbound references.
  478. if inbound:
  479. imr = self.rdfly.extract_imr(
  480. self.urn, incl_inbound=True, strict=False)
  481. for ib_rsrc_uri in imr.graph.subjects(None, self.urn):
  482. remove_trp = {(ib_rsrc_uri, None, self.urn)}
  483. Ldpr(ib_rsrc_uri)._modify_rsrc(self.RES_UPDATED, remove_trp)
  484. # @TODO This could be a different event type.
  485. return self.RES_DELETED
  486. def _create_rsrc_version(self, ver_uid):
  487. '''
  488. Perform version creation and return the internal URN.
  489. '''
  490. # Create version resource from copying the current state.
  491. ver_add_gr = Graph()
  492. vers_uuid = '{}/{}'.format(self.uuid, self.RES_VER_CONT_LABEL)
  493. ver_uuid = '{}/{}'.format(vers_uuid, ver_uid)
  494. ver_urn = nsc['fcres'][ver_uuid]
  495. ver_add_gr.add((ver_urn, RDF.type, nsc['fcrepo'].Version))
  496. for t in self.imr.graph:
  497. if (
  498. t[1] == RDF.type and t[2] in {
  499. nsc['fcrepo'].Binary,
  500. nsc['fcrepo'].Container,
  501. nsc['fcrepo'].Resource,
  502. }
  503. ) or (
  504. t[1] in {
  505. nsc['fcrepo'].hasParent,
  506. nsc['fcrepo'].hasVersions,
  507. nsc['premis'].hasMessageDigest,
  508. }
  509. ):
  510. pass
  511. else:
  512. ver_add_gr.add((
  513. g.tbox.replace_term_domain(t[0], self.urn, ver_urn),
  514. t[1], t[2]))
  515. self.rdfly.modify_dataset(
  516. add_trp=ver_add_gr, types={nsc['fcrepo'].Version})
  517. # Add version metadata.
  518. meta_add_gr = Graph()
  519. meta_add_gr.add((
  520. self.urn, nsc['fcrepo'].hasVersion, ver_urn))
  521. meta_add_gr.add(
  522. (ver_urn, nsc['fcrepo'].created, g.timestamp_term))
  523. meta_add_gr.add(
  524. (ver_urn, nsc['fcrepo'].hasVersionLabel, Literal(ver_uid)))
  525. self.rdfly.modify_dataset(
  526. add_trp=meta_add_gr, types={nsc['fcrepo'].Metadata})
  527. # Update resource.
  528. rsrc_add_gr = Graph()
  529. rsrc_add_gr.add((
  530. self.urn, nsc['fcrepo'].hasVersions, nsc['fcres'][vers_uuid]))
  531. self._modify_rsrc(self.RES_UPDATED, add_trp=rsrc_add_gr, notify=False)
  532. return nsc['fcres'][ver_uuid]
  533. def _modify_rsrc(self, ev_type, remove_trp=Graph(), add_trp=Graph(),
  534. notify=True):
  535. '''
  536. Low-level method to modify a graph for a single resource.
  537. This is a crucial point for messaging. Any write operation on the RDF
  538. store that needs to be notified should be performed by invoking this
  539. method.
  540. @param ev_type (string) The type of event (create, update, delete).
  541. @param remove_trp (rdflib.Graph) Triples to be removed.
  542. @param add_trp (rdflib.Graph) Triples to be added.
  543. '''
  544. # If one of the triple sets is not a graph, do a set merge and
  545. # filtering. This is necessary to support non-RDF terms (e.g.
  546. # variables).
  547. if not isinstance(remove_trp, Graph) or not isinstance(add_trp, Graph):
  548. if isinstance(remove_trp, Graph):
  549. remove_trp = set(remove_trp)
  550. if isinstance(add_trp, Graph):
  551. add_trp = set(add_trp)
  552. merge_gr = remove_trp | add_trp
  553. type = { trp[2] for trp in merge_gr if trp[1] == RDF.type }
  554. actor = { trp[2] for trp in merge_gr \
  555. if trp[1] == nsc['fcrepo'].createdBy }
  556. else:
  557. merge_gr = remove_trp | add_trp
  558. type = merge_gr[self.urn : RDF.type]
  559. actor = merge_gr[self.urn : nsc['fcrepo'].createdBy]
  560. ret = self.rdfly.modify_dataset(remove_trp, add_trp)
  561. if notify and current_app.config.get('messaging'):
  562. request.changelog.append((set(remove_trp), set(add_trp), {
  563. 'ev_type' : ev_type,
  564. 'time' : g.timestamp,
  565. 'type' : type,
  566. 'actor' : actor,
  567. }))
  568. return ret
  569. def _ensure_single_subject_rdf(self, gr):
  570. '''
  571. Ensure that a RDF payload for a POST or PUT has a single resource.
  572. '''
  573. for s in set(gr.subjects()):
  574. # Fragment components
  575. if '#' in s:
  576. parts = s.split('#')
  577. frag = s
  578. s = URIRef(parts[0])
  579. gr.add((frag, nsc['fcsystem'].fragmentOf, s))
  580. if not s == self.urn:
  581. raise SingleSubjectError(s, self.uuid)
  582. def _check_ref_int(self, config):
  583. gr = self.provided_imr.graph
  584. for o in gr.objects():
  585. if isinstance(o, URIRef) and str(o).startswith(g.webroot)\
  586. and not self.rdfly.ask_rsrc_exists(o):
  587. if config == 'strict':
  588. raise RefIntViolationError(o)
  589. else:
  590. self._logger.info(
  591. 'Removing link to non-existent repo resource: {}'
  592. .format(o))
  593. gr.remove((None, None, o))
  594. def _check_mgd_terms(self, gr):
  595. '''
  596. Check whether server-managed terms are in a RDF payload.
  597. '''
  598. # @FIXME Need to be more consistent
  599. if getattr(self, 'handling', 'none') == 'none':
  600. return gr
  601. offending_subjects = set(gr.subjects()) & srv_mgd_subjects
  602. if offending_subjects:
  603. if self.handling=='strict':
  604. raise ServerManagedTermError(offending_subjects, 's')
  605. else:
  606. for s in offending_subjects:
  607. self._logger.info('Removing offending subj: {}'.format(s))
  608. gr.remove((s, None, None))
  609. offending_predicates = set(gr.predicates()) & srv_mgd_predicates
  610. if offending_predicates:
  611. if self.handling=='strict':
  612. raise ServerManagedTermError(offending_predicates, 'p')
  613. else:
  614. for p in offending_predicates:
  615. self._logger.info('Removing offending pred: {}'.format(p))
  616. gr.remove((None, p, None))
  617. offending_types = set(gr.objects(predicate=RDF.type)) & srv_mgd_types
  618. if offending_types:
  619. if self.handling=='strict':
  620. raise ServerManagedTermError(offending_types, 't')
  621. else:
  622. for t in offending_types:
  623. self._logger.info('Removing offending type: {}'.format(t))
  624. gr.remove((None, RDF.type, t))
  625. self._logger.debug('Sanitized graph: {}'.format(gr.serialize(
  626. format='turtle').decode('utf-8')))
  627. return gr
  628. def _add_srv_mgd_triples(self, create=False):
  629. '''
  630. Add server-managed triples to a provided IMR.
  631. @param create (boolean) Whether the resource is being created.
  632. '''
  633. # Base LDP types.
  634. for t in self.base_types:
  635. self.provided_imr.add(RDF.type, t)
  636. # Message digest.
  637. cksum = g.tbox.rdf_cksum(self.provided_imr.graph)
  638. self.provided_imr.set(nsc['premis'].hasMessageDigest,
  639. URIRef('urn:sha1:{}'.format(cksum)))
  640. # Create and modify timestamp.
  641. if create:
  642. self.provided_imr.set(nsc['fcrepo'].created, g.timestamp_term)
  643. self.provided_imr.set(nsc['fcrepo'].createdBy, self.DEFAULT_USER)
  644. self.provided_imr.set(nsc['fcrepo'].lastModified, g.timestamp_term)
  645. self.provided_imr.set(nsc['fcrepo'].lastModifiedBy, self.DEFAULT_USER)
  646. def _set_containment_rel(self):
  647. '''Find the closest parent in the path indicated by the UUID and
  648. establish a containment triple.
  649. E.g. if only urn:fcres:a (short: a) exists:
  650. - If a/b/c/d is being created, a becomes container of a/b/c/d. Also,
  651. pairtree nodes are created for a/b and a/b/c.
  652. - If e is being created, the root node becomes container of e.
  653. '''
  654. if self.urn == self.ROOT_NODE_URN:
  655. return
  656. elif '/' in self.uuid:
  657. # Traverse up the hierarchy to find the parent.
  658. parent_uri = self._find_parent_or_create_pairtree()
  659. else:
  660. parent_uri = self.ROOT_NODE_URN
  661. add_gr = Graph()
  662. add_gr.add((parent_uri, nsc['ldp'].contains, self.urn))
  663. parent_rsrc = LdpFactory.from_stored(
  664. g.tbox.uri_to_uuid(parent_uri), repr_opts={
  665. 'incl_children' : False}, handling='none')
  666. parent_rsrc._modify_rsrc(self.RES_UPDATED, add_trp=add_gr)
  667. # Direct or indirect container relationship.
  668. self._add_ldp_dc_ic_rel(parent_uri)
  669. def _find_parent_or_create_pairtree(self):
  670. '''
  671. Check the path-wise parent of the new resource. If it exists, return
  672. its URI. Otherwise, create pairtree resources up the path until an
  673. actual resource or the root node is found.
  674. @return rdflib.term.URIRef
  675. '''
  676. path_components = self.uuid.split('/')
  677. # If there is only on element, the parent is the root node.
  678. if len(path_components) < 2:
  679. return self.ROOT_NODE_URN
  680. # Build search list, e.g. for a/b/c/d/e would be a/b/c/d, a/b/c, a/b, a
  681. self._logger.info('Path components: {}'.format(path_components))
  682. fwd_search_order = accumulate(
  683. list(path_components)[:-1],
  684. func=lambda x,y : x + '/' + y
  685. )
  686. rev_search_order = reversed(list(fwd_search_order))
  687. cur_child_uri = nsc['fcres'][self.uuid]
  688. parent_uri = None
  689. segments = []
  690. for cparent_uuid in rev_search_order:
  691. cparent_uri = nsc['fcres'][cparent_uuid]
  692. if self.rdfly.ask_rsrc_exists(cparent_uri):
  693. parent_uri = cparent_uri
  694. break
  695. else:
  696. segments.append((cparent_uri, cur_child_uri))
  697. cur_child_uri = cparent_uri
  698. if parent_uri is None:
  699. parent_uri = self.ROOT_NODE_URN
  700. for uri, child_uri in segments:
  701. self._create_path_segment(uri, child_uri, parent_uri)
  702. return parent_uri
  703. def _dedup_deltas(self, remove_gr, add_gr):
  704. '''
  705. Remove duplicate triples from add and remove delta graphs, which would
  706. otherwise contain unnecessary statements that annul each other.
  707. '''
  708. return (
  709. remove_gr - add_gr,
  710. add_gr - remove_gr
  711. )
  712. def _create_path_segment(self, uri, child_uri, real_parent_uri):
  713. '''
  714. Create a path segment with a non-LDP containment statement.
  715. This diverges from the default fcrepo4 behavior which creates pairtree
  716. resources.
  717. If a resource such as `fcres:a/b/c` is created, and neither fcres:a or
  718. fcres:a/b exists, we have to create two "hidden" containment statements
  719. between a and a/b and between a/b and a/b/c in order to maintain the
  720. `containment chain.
  721. '''
  722. imr = Resource(Graph(), uri)
  723. imr.add(RDF.type, nsc['ldp'].Container)
  724. imr.add(RDF.type, nsc['ldp'].BasicContainer)
  725. imr.add(RDF.type, nsc['ldp'].RDFSource)
  726. imr.add(RDF.type, nsc['fcrepo'].Pairtree)
  727. imr.add(nsc['fcrepo'].contains, child_uri)
  728. imr.add(nsc['ldp'].contains, self.urn)
  729. imr.add(nsc['fcrepo'].hasParent, real_parent_uri)
  730. # If the path segment is just below root
  731. if '/' not in str(uri):
  732. imr.graph.add((nsc['fcsystem'].root, nsc['fcrepo'].contains, uri))
  733. self.rdfly.modify_dataset(add_trp=imr.graph)
  734. def _add_ldp_dc_ic_rel(self, cont_uri):
  735. '''
  736. Add relationship triples from a parent direct or indirect container.
  737. @param cont_uri (rdflib.term.URIRef) The container URI.
  738. '''
  739. cont_uuid = g.tbox.uri_to_uuid(cont_uri)
  740. cont_rsrc = LdpFactory.from_stored(cont_uuid,
  741. repr_opts={'incl_children' : False})
  742. cont_p = set(cont_rsrc.imr.graph.predicates())
  743. add_gr = Graph()
  744. self._logger.info('Checking direct or indirect containment.')
  745. #self._logger.debug('Parent predicates: {}'.format(cont_p))
  746. add_gr.add((self.urn, nsc['fcrepo'].hasParent, cont_uri))
  747. if self.MBR_RSRC_URI in cont_p and self.MBR_REL_URI in cont_p:
  748. s = g.tbox.localize_term(
  749. cont_rsrc.imr.value(self.MBR_RSRC_URI).identifier)
  750. p = cont_rsrc.imr.value(self.MBR_REL_URI).identifier
  751. if cont_rsrc.imr[RDF.type : nsc['ldp'].DirectContainer]:
  752. self._logger.info('Parent is a direct container.')
  753. self._logger.debug('Creating DC triples.')
  754. add_gr.add((s, p, self.urn))
  755. elif cont_rsrc.imr[RDF.type : nsc['ldp'].IndirectContainer] \
  756. and self.INS_CNT_REL_URI in cont_p:
  757. self._logger.info('Parent is an indirect container.')
  758. cont_rel_uri = cont_rsrc.imr.value(self.INS_CNT_REL_URI).identifier
  759. target_uri = self.provided_imr.value(cont_rel_uri).identifier
  760. self._logger.debug('Target URI: {}'.format(target_uri))
  761. if target_uri:
  762. self._logger.debug('Creating IC triples.')
  763. add_gr.add((s, p, target_uri))
  764. if len(add_gr):
  765. #add_gr = self._check_mgd_terms(add_gr)
  766. #self._logger.debug('Adding DC/IC triples: {}'.format(
  767. # add_gr.serialize(format='turtle').decode('utf-8')))
  768. self._modify_rsrc(self.RES_UPDATED, add_trp=add_gr)
  769. def _send_event_msg(self, remove_trp, add_trp, metadata):
  770. '''
  771. Break down delta triples, find subjects and send event message.
  772. '''
  773. remove_grp = groupby(remove_trp, lambda x : x[0])
  774. remove_dict = { k[0] : k[1] for k in remove_grp }
  775. add_grp = groupby(add_trp, lambda x : x[0])
  776. add_dict = { k[0] : k[1] for k in add_grp }
  777. subjects = set(remove_dict.keys()) | set(add_dict.keys())
  778. for rsrc_uri in subjects:
  779. self._logger.info('subject: {}'.format(rsrc_uri))
  780. #current_app.messenger.send