ldpr.py 34 KB

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