ldpr.py 29 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883
  1. import logging
  2. from abc import ABCMeta
  3. from collections import defaultdict
  4. from uuid import uuid4
  5. import arrow
  6. from rdflib import Graph, URIRef, Literal
  7. from rdflib.resource import Resource
  8. from rdflib.namespace import RDF
  9. from lakesuperior.env import env
  10. from lakesuperior.globals import (
  11. RES_CREATED, RES_DELETED, RES_UPDATED, ROOT_UID)
  12. from lakesuperior.dictionaries.namespaces import ns_collection as nsc
  13. from lakesuperior.dictionaries.srv_mgd_terms import (
  14. srv_mgd_subjects, srv_mgd_predicates, srv_mgd_types)
  15. from lakesuperior.exceptions import (
  16. InvalidResourceError, RefIntViolationError, ResourceNotExistsError,
  17. ServerManagedTermError, TombstoneError)
  18. from lakesuperior.store.ldp_rs.rsrc_centric_layout import VERS_CONT_LABEL
  19. from lakesuperior.toolbox import Toolbox
  20. rdfly = env.app_globals.rdfly
  21. logger = logging.getLogger(__name__)
  22. class Ldpr(metaclass=ABCMeta):
  23. """LDPR (LDP Resource).
  24. Definition: https://www.w3.org/TR/ldp/#ldpr-resource
  25. This class and related subclasses contain the implementation pieces of
  26. the vanilla LDP specifications. This is extended by the
  27. `lakesuperior.fcrepo.Resource` class.
  28. Inheritance graph: https://www.w3.org/TR/ldp/#fig-ldpc-types
  29. Note: Even though LdpNr (which is a subclass of Ldpr) handles binary files,
  30. it still has an RDF representation in the triplestore. Hence, some of the
  31. RDF-related methods are defined in this class rather than in the LdpRs
  32. class.
  33. Convention notes:
  34. All the methods in this class handle internal UUIDs (URN). Public-facing
  35. URIs are converted from URNs and passed by these methods to the methods
  36. handling HTTP negotiation.
  37. The data passed to the store layout for processing should be in a graph.
  38. All conversion from request payload strings is done here.
  39. """
  40. EMBED_CHILD_RES_URI = nsc['fcrepo'].EmbedResources
  41. FCREPO_PTREE_TYPE = nsc['fcrepo'].Pairtree
  42. INS_CNT_REL_URI = nsc['ldp'].insertedContentRelation
  43. MBR_RSRC_URI = nsc['ldp'].membershipResource
  44. MBR_REL_URI = nsc['ldp'].hasMemberRelation
  45. RETURN_CHILD_RES_URI = nsc['fcrepo'].Children
  46. RETURN_INBOUND_REF_URI = nsc['fcrepo'].InboundReferences
  47. RETURN_SRV_MGD_RES_URI = nsc['fcrepo'].ServerManaged
  48. # Workflow type. Inbound means that the resource is being written to the
  49. # store, outbounnd is being retrieved for output.
  50. WRKF_INBOUND = '_workflow:inbound_'
  51. WRKF_OUTBOUND = '_workflow:outbound_'
  52. # Default user to be used for the `createdBy` and `lastUpdatedBy` if a user
  53. # is not provided.
  54. DEFAULT_USER = Literal('BypassAdmin')
  55. # RDF Types that populate a new resource.
  56. base_types = {
  57. nsc['fcrepo'].Resource,
  58. nsc['ldp'].Resource,
  59. nsc['ldp'].RDFSource,
  60. }
  61. # Predicates that do not get removed when a resource is replaced.
  62. protected_pred = (
  63. nsc['fcrepo'].created,
  64. nsc['fcrepo'].createdBy,
  65. nsc['ldp'].contains,
  66. )
  67. # Server-managed RDF types ignored in the RDF payload if the resource is
  68. # being created. N.B. These still raise an error if the resource exists.
  69. smt_allow_on_create = {
  70. nsc['ldp'].DirectContainer,
  71. nsc['ldp'].IndirectContainer,
  72. }
  73. # Predicates to remove when a resource is replaced.
  74. delete_preds_on_replace = {
  75. nsc['ebucore'].hasMimeType,
  76. nsc['fcrepo'].lastModified,
  77. nsc['fcrepo'].lastModifiedBy,
  78. nsc['premis'].hasSize,
  79. nsc['premis'].hasMessageDigest,
  80. }
  81. ## MAGIC METHODS ##
  82. def __init__(self, uid, repr_opts={}, provided_imr=None, **kwargs):
  83. """
  84. Instantiate an in-memory LDP resource.
  85. :param str uid: uid of the resource. If None (must be explicitly
  86. set) it refers to the root node. It can also be the full URI or URN,
  87. in which case it will be converted.
  88. :param dict repr_opts: Options used to retrieve the IMR. See
  89. `parse_rfc7240` for format details.
  90. :param str provd_rdf: RDF data provided by the client in
  91. operations such as `PUT` or `POST`, serialized as a string. This sets
  92. the `provided_imr` property.
  93. """
  94. self.uid = (
  95. rdfly.uri_to_uid(uid) if isinstance(uid, URIRef) else uid)
  96. self.uri = nsc['fcres'][uid]
  97. # @FIXME Not ideal, should separate app-context dependent functions in
  98. # a different toolbox.
  99. self.tbox = Toolbox()
  100. self.provided_imr = provided_imr
  101. # Disable all internal checks e.g. for raw I/O.
  102. @property
  103. def rsrc(self):
  104. """
  105. The RDFLib resource representing this LDPR. This is a live
  106. representation of the stored data if present.
  107. :rtype: rdflib.resource.Resource
  108. """
  109. if not hasattr(self, '_rsrc'):
  110. self._rsrc = rdfly.ds.resource(self.uri)
  111. return self._rsrc
  112. @property
  113. def imr(self):
  114. """
  115. Extract an in-memory resource from the graph store.
  116. If the resource is not stored (yet), a `ResourceNotExistsError` is
  117. raised.
  118. @return rdflib.resource.Resource
  119. """
  120. if not hasattr(self, '_imr'):
  121. if hasattr(self, '_imr_options'):
  122. logger.debug(
  123. 'Getting RDF representation for resource {}'
  124. .format(self.uid))
  125. #logger.debug('IMR options:{}'.format(self._imr_options))
  126. imr_options = self._imr_options
  127. else:
  128. imr_options = {}
  129. options = dict(imr_options, strict=True)
  130. self._imr = rdfly.extract_imr(self.uid, **options)
  131. return self._imr
  132. @imr.setter
  133. def imr(self, v):
  134. """
  135. Replace in-memory buffered resource.
  136. :param v: New set of triples to populate the IMR with.
  137. :type v: set or rdflib.Graph
  138. """
  139. if isinstance(v, Resource):
  140. v = v.graph
  141. self._imr = Resource(Graph(), self.uri)
  142. gr = self._imr.graph
  143. gr += v
  144. @imr.deleter
  145. def imr(self):
  146. """
  147. Delete in-memory buffered resource.
  148. """
  149. delattr(self, '_imr')
  150. @property
  151. def metadata(self):
  152. """
  153. Get resource metadata.
  154. """
  155. if not hasattr(self, '_metadata'):
  156. if hasattr(self, '_imr'):
  157. logger.info('Metadata is IMR.')
  158. self._metadata = self._imr
  159. else:
  160. logger.info(
  161. 'Getting metadata for resource {}'.format(self.uid))
  162. self._metadata = rdfly.get_metadata(self.uid)
  163. return self._metadata
  164. @metadata.setter
  165. def metadata(self, rsrc):
  166. """
  167. Set resource metadata.
  168. """
  169. if not isinstance(rsrc, Resource):
  170. raise TypeError('Provided metadata is not a Resource object.')
  171. self._metadata = rsrc
  172. @property
  173. def out_graph(self):
  174. """
  175. Retun a graph of the resource's IMR formatted for output.
  176. """
  177. out_gr = Graph(identifier=self.uri)
  178. for t in self.imr.graph:
  179. if (
  180. # Exclude digest hash and version information.
  181. t[1] not in {
  182. #nsc['premis'].hasMessageDigest,
  183. nsc['fcrepo'].hasVersion,
  184. }
  185. ) and (
  186. # Only include server managed triples if requested.
  187. self._imr_options.get('incl_srv_mgd', True) or
  188. not self._is_trp_managed(t)
  189. ):
  190. out_gr.add(t)
  191. return out_gr
  192. @property
  193. def version_info(self):
  194. """
  195. Return version metadata (`fcr:versions`).
  196. """
  197. if not hasattr(self, '_version_info'):
  198. try:
  199. #@ TODO get_version_info should return a graph.
  200. self._version_info = rdfly.get_version_info(self.uid).graph
  201. except ResourceNotExistsError as e:
  202. self._version_info = Graph(identifier=self.uri)
  203. return self._version_info
  204. @property
  205. def version_uids(self):
  206. """
  207. Return a generator of version UIDs (relative to their parent resource).
  208. """
  209. gen = self.version_info[
  210. self.uri:
  211. nsc['fcrepo'].hasVersion / nsc['fcrepo'].hasVersionLabel:]
  212. return {str(uid) for uid in gen}
  213. @property
  214. def is_stored(self):
  215. if not hasattr(self, '_is_stored'):
  216. if hasattr(self, '_imr'):
  217. self._is_stored = len(self.imr.graph) > 0
  218. else:
  219. self._is_stored = rdfly.ask_rsrc_exists(self.uid)
  220. return self._is_stored
  221. @property
  222. def types(self):
  223. """All RDF types.
  224. :rtype: set(rdflib.term.URIRef)
  225. """
  226. if not hasattr(self, '_types'):
  227. if len(self.metadata.graph):
  228. metadata = self.metadata
  229. elif getattr(self, 'provided_imr', None) and \
  230. len(self.provided_imr.graph):
  231. metadata = self.provided_imr
  232. else:
  233. return set()
  234. self._types = set(metadata.graph[self.uri: RDF.type])
  235. return self._types
  236. @property
  237. def ldp_types(self):
  238. """The LDP types.
  239. :rtype: set(rdflib.term.URIRef)
  240. """
  241. if not hasattr(self, '_ldp_types'):
  242. self._ldp_types = {t for t in self.types if nsc['ldp'] in t}
  243. return self._ldp_types
  244. ## LDP METHODS ##
  245. def head(self):
  246. """
  247. Return values for the headers.
  248. """
  249. out_headers = defaultdict(list)
  250. digest = self.metadata.value(nsc['premis'].hasMessageDigest)
  251. if digest:
  252. etag = digest.identifier.split(':')[-1]
  253. out_headers['ETag'] = 'W/"{}"'.format(etag),
  254. last_updated_term = self.metadata.value(nsc['fcrepo'].lastModified)
  255. if last_updated_term:
  256. out_headers['Last-Modified'] = arrow.get(last_updated_term)\
  257. .format('ddd, D MMM YYYY HH:mm:ss Z')
  258. for t in self.ldp_types:
  259. out_headers['Link'].append(
  260. '{};rel="type"'.format(t.n3()))
  261. return out_headers
  262. def get_version(self, ver_uid, **kwargs):
  263. """
  264. Get a version by label.
  265. """
  266. return rdfly.extract_imr(self.uid, ver_uid, **kwargs).graph
  267. def create_or_replace(self, create_only=False):
  268. """
  269. Create or update a resource. PUT and POST methods, which are almost
  270. identical, are wrappers for this method.
  271. :param boolean create_only: Whether this is a create-only operation.
  272. """
  273. create = create_only or not self.is_stored
  274. ev_type = RES_CREATED if create else RES_UPDATED
  275. self._add_srv_mgd_triples(create)
  276. ref_int = rdfly.config['referential_integrity']
  277. if ref_int:
  278. self._check_ref_int(ref_int)
  279. # Delete existing triples if replacing.
  280. if not create:
  281. rdfly.truncate_rsrc(self.uid)
  282. remove_trp = {
  283. (self.uri, pred, None) for pred in self.delete_preds_on_replace}
  284. add_trp = (
  285. set(self.provided_imr.graph) |
  286. self._containment_rel(create))
  287. self._modify_rsrc(ev_type, remove_trp, add_trp)
  288. new_gr = Graph()
  289. for trp in add_trp:
  290. new_gr.add(trp)
  291. self.imr = new_gr.resource(self.uri)
  292. return ev_type
  293. def bury_rsrc(self, inbound, tstone_pointer=None):
  294. """
  295. Delete a single resource and create a tombstone.
  296. :param boolean inbound: Whether to delete the inbound relationships.
  297. :param URIRef tstone_pointer: If set to a URN, this creates a pointer
  298. to the tombstone of the resource that used to contain the deleted
  299. resource. Otherwise the deleted resource becomes a tombstone.
  300. """
  301. logger.info('Burying resource {}'.format(self.uid))
  302. # Create a backup snapshot for resurrection purposes.
  303. self.create_rsrc_snapshot(uuid4())
  304. remove_trp = {
  305. trp for trp in self.imr.graph
  306. if trp[1] != nsc['fcrepo'].hasVersion}
  307. if tstone_pointer:
  308. add_trp = {
  309. (self.uri, nsc['fcsystem'].tombstone, tstone_pointer)}
  310. else:
  311. add_trp = {
  312. (self.uri, RDF.type, nsc['fcsystem'].Tombstone),
  313. (self.uri, nsc['fcrepo'].created, env.timestamp_term),
  314. }
  315. self._modify_rsrc(RES_DELETED, remove_trp, add_trp)
  316. if inbound:
  317. for ib_rsrc_uri in self.imr.graph.subjects(None, self.uri):
  318. remove_trp = {(ib_rsrc_uri, None, self.uri)}
  319. ib_rsrc = Ldpr(ib_rsrc_uri)
  320. # To preserve inbound links in history, create a snapshot
  321. ib_rsrc.create_rsrc_snapshot(uuid4())
  322. ib_rsrc._modify_rsrc(RES_UPDATED, remove_trp)
  323. return RES_DELETED
  324. def forget_rsrc(self, inbound=True):
  325. """
  326. Remove all traces of a resource and versions.
  327. """
  328. logger.info('Purging resource {}'.format(self.uid))
  329. refint = env.config['store']['ldp_rs']['referential_integrity']
  330. inbound = True if refint else inbound
  331. rdfly.forget_rsrc(self.uid, inbound)
  332. # @TODO This could be a different event type.
  333. return RES_DELETED
  334. def create_rsrc_snapshot(self, ver_uid):
  335. """
  336. Perform version creation and return the version UID.
  337. """
  338. # Create version resource from copying the current state.
  339. logger.info(
  340. 'Creating version snapshot {} for resource {}.'.format(
  341. ver_uid, self.uid))
  342. ver_add_gr = set()
  343. vers_uid = '{}/{}'.format(self.uid, VERS_CONT_LABEL)
  344. ver_uid = '{}/{}'.format(vers_uid, ver_uid)
  345. ver_uri = nsc['fcres'][ver_uid]
  346. ver_add_gr.add((ver_uri, RDF.type, nsc['fcrepo'].Version))
  347. for t in self.imr.graph:
  348. if (
  349. t[1] == RDF.type and t[2] in {
  350. nsc['fcrepo'].Binary,
  351. nsc['fcrepo'].Container,
  352. nsc['fcrepo'].Resource,
  353. }
  354. ) or (
  355. t[1] in {
  356. nsc['fcrepo'].hasParent,
  357. nsc['fcrepo'].hasVersions,
  358. nsc['fcrepo'].hasVersion,
  359. nsc['premis'].hasMessageDigest,
  360. }
  361. ):
  362. pass
  363. else:
  364. ver_add_gr.add((
  365. self.tbox.replace_term_domain(t[0], self.uri, ver_uri),
  366. t[1], t[2]))
  367. rdfly.modify_rsrc(ver_uid, add_trp=ver_add_gr)
  368. # Update resource admin data.
  369. rsrc_add_gr = {
  370. (self.uri, nsc['fcrepo'].hasVersion, ver_uri),
  371. (self.uri, nsc['fcrepo'].hasVersions, nsc['fcres'][vers_uid]),
  372. }
  373. self._modify_rsrc(RES_UPDATED, add_trp=rsrc_add_gr)
  374. return ver_uid
  375. def resurrect_rsrc(self):
  376. """
  377. Resurrect a resource from a tombstone.
  378. @EXPERIMENTAL
  379. """
  380. tstone_trp = set(rdfly.extract_imr(self.uid, strict=False).graph)
  381. ver_rsp = self.version_info.graph.query('''
  382. SELECT ?uid {
  383. ?latest fcrepo:hasVersionLabel ?uid ;
  384. fcrepo:created ?ts .
  385. }
  386. ORDER BY DESC(?ts)
  387. LIMIT 1
  388. ''')
  389. ver_uid = str(ver_rsp.bindings[0]['uid'])
  390. ver_trp = set(rdfly.get_metadata(self.uid, ver_uid).graph)
  391. laz_gr = Graph()
  392. for t in ver_trp:
  393. if t[1] != RDF.type or t[2] not in {
  394. nsc['fcrepo'].Version,
  395. }:
  396. laz_gr.add((self.uri, t[1], t[2]))
  397. laz_gr.add((self.uri, RDF.type, nsc['fcrepo'].Resource))
  398. if nsc['ldp'].NonRdfSource in laz_gr[:RDF.type:]:
  399. laz_gr.add((self.uri, RDF.type, nsc['fcrepo'].Binary))
  400. elif nsc['ldp'].Container in laz_gr[:RDF.type:]:
  401. laz_gr.add((self.uri, RDF.type, nsc['fcrepo'].Container))
  402. laz_set = set(laz_gr) | self._containment_rel()
  403. self._modify_rsrc(RES_CREATED, tstone_trp, laz_set)
  404. return self.uri
  405. def create_version(self, ver_uid=None):
  406. """
  407. Create a new version of the resource.
  408. NOTE: This creates an event only for the resource being updated (due
  409. to the added `hasVersion` triple and possibly to the `hasVersions` one)
  410. but not for the version being created.
  411. :param ver_uid: Version ver_uid. If already existing, an exception is
  412. raised.
  413. """
  414. if not ver_uid or ver_uid in self.version_uids:
  415. ver_uid = str(uuid4())
  416. return self.create_rsrc_snapshot(ver_uid)
  417. def revert_to_version(self, ver_uid, backup=True):
  418. """
  419. Revert to a previous version.
  420. :param str ver_uid: Version UID.
  421. :param boolean backup: Whether to create a backup snapshot. Default is
  422. true.
  423. """
  424. # Create a backup snapshot.
  425. if backup:
  426. self.create_version()
  427. ver_gr = rdfly.extract_imr(
  428. self.uid, ver_uid=ver_uid, incl_children=False)
  429. self.provided_imr = Resource(Graph(), self.uri)
  430. for t in ver_gr.graph:
  431. if not self._is_trp_managed(t):
  432. self.provided_imr.add(t[1], t[2])
  433. # @TODO Check individual objects: if they are repo-managed URIs
  434. # and not existing or tombstones, they are not added.
  435. return self.create_or_replace(create_only=False)
  436. ## PROTECTED METHODS ##
  437. def _is_trp_managed(self, t):
  438. """
  439. Whether a triple is server-managed.
  440. :param tuple t: Triple as a 3-tuple of terms.
  441. :rtype: boolean
  442. """
  443. return t[1] in srv_mgd_predicates or (
  444. t[1] == RDF.type and t[2] in srv_mgd_types)
  445. def _modify_rsrc(
  446. self, ev_type, remove_trp=set(), add_trp=set()):
  447. """
  448. Low-level method to modify a graph for a single resource.
  449. This is a crucial point for messaging. Any write operation on the RDF
  450. store that needs to be notified should be performed by invoking this
  451. method.
  452. :param ev_type: The type of event (create, update,
  453. delete) or None. In the latter case, no notification is sent.
  454. :type ev_type: str or None
  455. :param set remove_trp: Triples to be removed.
  456. :param set add_trp: Triples to be added.
  457. """
  458. rdfly.modify_rsrc(self.uid, remove_trp, add_trp)
  459. if (
  460. ev_type is not None and
  461. env.config['application'].get('messaging')):
  462. logger.debug('Enqueuing message for {}'.format(self.uid))
  463. self._enqueue_msg(ev_type, remove_trp, add_trp)
  464. def _enqueue_msg(self, ev_type, remove_trp=None, add_trp=None):
  465. """
  466. Compose a message about a resource change.
  467. The message is enqueued for asynchronous processing.
  468. :param str ev_type: The event type. See global constants.
  469. :param set remove_trp: Triples removed. Only used if the
  470. """
  471. try:
  472. rsrc_type = tuple(str(t) for t in self.types)
  473. actor = self.metadata.value(nsc['fcrepo'].createdBy)
  474. except (ResourceNotExistsError, TombstoneError):
  475. rsrc_type = ()
  476. actor = None
  477. for t in add_trp:
  478. if t[1] == RDF.type:
  479. rsrc_type.add(t[2])
  480. elif actor is None and t[1] == nsc['fcrepo'].createdBy:
  481. actor = t[2]
  482. env.app_globals.changelog.append((set(remove_trp), set(add_trp), {
  483. 'ev_type': ev_type,
  484. 'timestamp': env.timestamp.format(),
  485. 'rsrc_type': rsrc_type,
  486. 'actor': actor,
  487. }))
  488. def _check_ref_int(self, config):
  489. gr = self.provided_imr.graph
  490. for o in gr.objects():
  491. if isinstance(o, URIRef) and str(o).startswith(nsc['fcres']):
  492. obj_uid = rdfly.uri_to_uid(o)
  493. if not rdfly.ask_rsrc_exists(obj_uid):
  494. if config == 'strict':
  495. raise RefIntViolationError(obj_uid)
  496. else:
  497. logger.info(
  498. 'Removing link to non-existent repo resource: {}'
  499. .format(obj_uid))
  500. gr.remove((None, None, o))
  501. def _check_mgd_terms(self, gr):
  502. """
  503. Check whether server-managed terms are in a RDF payload.
  504. :param rdflib.Graph gr: The graph to validate.
  505. """
  506. offending_subjects = set(gr.subjects()) & srv_mgd_subjects
  507. if offending_subjects:
  508. if self.handling == 'strict':
  509. raise ServerManagedTermError(offending_subjects, 's')
  510. else:
  511. for s in offending_subjects:
  512. logger.info('Removing offending subj: {}'.format(s))
  513. gr.remove((s, None, None))
  514. offending_predicates = set(gr.predicates()) & srv_mgd_predicates
  515. # Allow some predicates if the resource is being created.
  516. if offending_predicates:
  517. if self.handling == 'strict':
  518. raise ServerManagedTermError(offending_predicates, 'p')
  519. else:
  520. for p in offending_predicates:
  521. logger.info('Removing offending pred: {}'.format(p))
  522. gr.remove((None, p, None))
  523. offending_types = set(gr.objects(predicate=RDF.type)) & srv_mgd_types
  524. if not self.is_stored:
  525. offending_types -= self.smt_allow_on_create
  526. if offending_types:
  527. if self.handling == 'strict':
  528. raise ServerManagedTermError(offending_types, 't')
  529. else:
  530. for t in offending_types:
  531. logger.info('Removing offending type: {}'.format(t))
  532. gr.remove((None, RDF.type, t))
  533. #logger.debug('Sanitized graph: {}'.format(gr.serialize(
  534. # format='turtle').decode('utf-8')))
  535. return gr
  536. def _add_srv_mgd_triples(self, create=False):
  537. """
  538. Add server-managed triples to a provided IMR.
  539. :param create: Whether the resource is being created.
  540. """
  541. # Base LDP types.
  542. for t in self.base_types:
  543. self.provided_imr.add(RDF.type, t)
  544. # Message digest.
  545. cksum = self.tbox.rdf_cksum(self.provided_imr.graph)
  546. self.provided_imr.set(
  547. nsc['premis'].hasMessageDigest,
  548. URIRef('urn:sha1:{}'.format(cksum)))
  549. # Create and modify timestamp.
  550. if create:
  551. self.provided_imr.set(nsc['fcrepo'].created, env.timestamp_term)
  552. self.provided_imr.set(nsc['fcrepo'].createdBy, self.DEFAULT_USER)
  553. else:
  554. self.provided_imr.set(
  555. nsc['fcrepo'].created, self.metadata.value(
  556. nsc['fcrepo'].created))
  557. self.provided_imr.set(
  558. nsc['fcrepo'].createdBy, self.metadata.value(
  559. nsc['fcrepo'].createdBy))
  560. self.provided_imr.set(nsc['fcrepo'].lastModified, env.timestamp_term)
  561. self.provided_imr.set(nsc['fcrepo'].lastModifiedBy, self.DEFAULT_USER)
  562. def _containment_rel(self, create):
  563. """Find the closest parent in the path indicated by the uid and
  564. establish a containment triple.
  565. Check the path-wise parent of the new resource. If it exists, add the
  566. containment relationship with this UID. Otherwise, create a container
  567. resource as the parent.
  568. This function may recurse up the path tree until an existing container
  569. is found.
  570. E.g. if only fcres:/a exists:
  571. - If ``fcres:/a/b/c/d`` is being created, a becomes container of
  572. ``fcres:/a/b/c/d``. Also, containers are created for fcres:a/b and
  573. ``fcres:/a/b/c``.
  574. - If ``fcres:/e`` is being created, the root node becomes container of
  575. ``fcres:/e``.
  576. :param bool create: Whether the resource is being created. If false,
  577. the parent container is not updated.
  578. """
  579. from lakesuperior.model.ldp_factory import LdpFactory
  580. if '/' in self.uid.lstrip('/'):
  581. # Traverse up the hierarchy to find the parent.
  582. path_components = self.uid.lstrip('/').split('/')
  583. cnd_parent_uid = '/' + '/'.join(path_components[:-1])
  584. if rdfly.ask_rsrc_exists(cnd_parent_uid):
  585. parent_rsrc = LdpFactory.from_stored(cnd_parent_uid)
  586. if nsc['ldp'].Container not in parent_rsrc.types:
  587. raise InvalidResourceError(
  588. cnd_parent_uid, 'Parent {} is not a container.')
  589. parent_uid = cnd_parent_uid
  590. else:
  591. parent_rsrc = LdpFactory.new_container(cnd_parent_uid)
  592. # This will trigger this method again and recurse until an
  593. # existing container or the root node is reached.
  594. parent_rsrc.create_or_replace()
  595. parent_uid = parent_rsrc.uid
  596. else:
  597. parent_uid = ROOT_UID
  598. parent_rsrc = LdpFactory.from_stored(
  599. parent_uid, repr_opts={'incl_children': False}, handling='none')
  600. # Only update parent if the resource is new.
  601. if create:
  602. add_gr = Graph()
  603. add_gr.add(
  604. (nsc['fcres'][parent_uid], nsc['ldp'].contains, self.uri))
  605. parent_rsrc._modify_rsrc(RES_UPDATED, add_trp=add_gr)
  606. # Direct or indirect container relationship.
  607. return self._add_ldp_dc_ic_rel(parent_rsrc)
  608. def _dedup_deltas(self, remove_gr, add_gr):
  609. """
  610. Remove duplicate triples from add and remove delta graphs, which would
  611. otherwise contain unnecessary statements that annul each other.
  612. :rtype: tuple
  613. :return: 2 "clean" sets of respectively remove statements and
  614. add statements.
  615. """
  616. return (
  617. remove_gr - add_gr,
  618. add_gr - remove_gr
  619. )
  620. def _add_ldp_dc_ic_rel(self, cont_rsrc):
  621. """
  622. Add relationship triples from a parent direct or indirect container.
  623. :param rdflib.resource.Resouce cont_rsrc: The container resource.
  624. """
  625. cont_p = set(cont_rsrc.metadata.graph.predicates())
  626. logger.info('Checking direct or indirect containment.')
  627. logger.debug('Parent predicates: {}'.format(cont_p))
  628. add_trp = {(self.uri, nsc['fcrepo'].hasParent, cont_rsrc.uri)}
  629. if self.MBR_RSRC_URI in cont_p and self.MBR_REL_URI in cont_p:
  630. from lakesuperior.model.ldp_factory import LdpFactory
  631. s = cont_rsrc.metadata.value(self.MBR_RSRC_URI).identifier
  632. p = cont_rsrc.metadata.value(self.MBR_REL_URI).identifier
  633. if cont_rsrc.metadata[RDF.type: nsc['ldp'].DirectContainer]:
  634. logger.info('Parent is a direct container.')
  635. logger.debug('Creating DC triples.')
  636. o = self.uri
  637. elif (
  638. cont_rsrc.metadata[
  639. RDF.type: nsc['ldp'].IndirectContainer] and
  640. self.INS_CNT_REL_URI in cont_p):
  641. logger.info('Parent is an indirect container.')
  642. cont_rel_uri = cont_rsrc.metadata.value(
  643. self.INS_CNT_REL_URI).identifier
  644. o = self.provided_imr.value(cont_rel_uri).identifier
  645. logger.debug('Target URI: {}'.format(o))
  646. logger.debug('Creating IC triples.')
  647. target_rsrc = LdpFactory.from_stored(rdfly.uri_to_uid(s))
  648. target_rsrc._modify_rsrc(RES_UPDATED, add_trp={(s, p, o)})
  649. return add_trp
  650. def sparql_update(self, update_str):
  651. """
  652. Apply a SPARQL update to a resource.
  653. :param str update_str: SPARQL-Update string. All URIs are local.
  654. """
  655. # FCREPO does that and Hyrax requires it.
  656. self.handling = 'lenient'
  657. delta = self._sparql_delta(update_str)
  658. self._modify_rsrc(RES_UPDATED, *delta)
  659. def _sparql_delta(self, q):
  660. """
  661. Calculate the delta obtained by a SPARQL Update operation.
  662. This is a critical component of the SPARQL update prcess and does a
  663. couple of things:
  664. 1. It ensures that no resources outside of the subject of the request
  665. are modified (e.g. by variable subjects)
  666. 2. It verifies that none of the terms being modified is server managed.
  667. This method extracts an in-memory copy of the resource and performs the
  668. query on that once it has checked if any of the server managed terms is
  669. in the delta. If it is, it raises an exception.
  670. NOTE: This only checks if a server-managed term is effectively being
  671. modified. If a server-managed term is present in the query but does not
  672. cause any change in the updated resource, no error is raised.
  673. :rtype: tuple(rdflib.Graph)
  674. :return: Remove and add graphs. These can be used
  675. with ``BaseStoreLayout.update_resource`` and/or recorded as separate
  676. events in a provenance tracking system.
  677. """
  678. logger.debug('Provided SPARQL query: {}'.format(q))
  679. pre_gr = self.imr.graph
  680. post_gr = pre_gr | Graph()
  681. post_gr.update(q)
  682. remove_gr, add_gr = self._dedup_deltas(pre_gr, post_gr)
  683. #logger.debug('Removing: {}'.format(
  684. # remove_gr.serialize(format='turtle').decode('utf8')))
  685. #logger.debug('Adding: {}'.format(
  686. # add_gr.serialize(format='turtle').decode('utf8')))
  687. remove_gr = self._check_mgd_terms(remove_gr)
  688. add_gr = self._check_mgd_terms(add_gr)
  689. return set(remove_gr), set(add_gr)