ldpr.py 39 KB

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