ldpr.py 33 KB

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