ldpr.py 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653
  1. import logging
  2. from abc import ABCMeta
  3. from collections import defaultdict
  4. from itertools import accumulate
  5. from uuid import uuid4
  6. import arrow
  7. from flask import current_app
  8. from rdflib import Graph
  9. from rdflib.resource import Resource
  10. from rdflib.namespace import RDF, XSD
  11. from rdflib.term import URIRef, Literal
  12. from lakesuperior.dictionaries.namespaces import ns_collection as nsc
  13. from lakesuperior.dictionaries.srv_mgd_terms import srv_mgd_subjects, \
  14. srv_mgd_predicates, srv_mgd_types
  15. from lakesuperior.exceptions import InvalidResourceError, \
  16. ResourceNotExistsError, ServerManagedTermError
  17. from lakesuperior.store_layouts.ldp_rs.base_rdf_layout import BaseRdfLayout
  18. from lakesuperior.toolbox import Toolbox
  19. def transactional(fn):
  20. '''
  21. Decorator for methods of the Ldpr class to handle transactions in an RDF
  22. store.
  23. '''
  24. def wrapper(self, *args, **kwargs):
  25. try:
  26. ret = fn(self, *args, **kwargs)
  27. self._logger.info('Committing transaction.')
  28. self.rdfly.store.commit()
  29. return ret
  30. except:
  31. self._logger.warn('Rolling back transaction.')
  32. self.rdfly.store.rollback()
  33. raise
  34. return wrapper
  35. class Ldpr(metaclass=ABCMeta):
  36. '''LDPR (LDP Resource).
  37. Definition: https://www.w3.org/TR/ldp/#ldpr-resource
  38. This class and related subclasses contain the implementation pieces of
  39. the vanilla LDP specifications. This is extended by the
  40. `lakesuperior.fcrepo.Resource` class.
  41. Inheritance graph: https://www.w3.org/TR/ldp/#fig-ldpc-types
  42. Note: Even though LdpNr (which is a subclass of Ldpr) handles binary files,
  43. it still has an RDF representation in the triplestore. Hence, some of the
  44. RDF-related methods are defined in this class rather than in the LdpRs
  45. class.
  46. Convention notes:
  47. All the methods in this class handle internal UUIDs (URN). Public-facing
  48. URIs are converted from URNs and passed by these methods to the methods
  49. handling HTTP negotiation.
  50. The data passed to the store layout for processing should be in a graph.
  51. All conversion from request payload strings is done here.
  52. '''
  53. EMBED_CHILD_RES_URI = nsc['fcrepo'].EmbedResources
  54. FCREPO_PTREE_TYPE = nsc['fcrepo'].Pairtree
  55. INS_CNT_REL_URI = nsc['ldp'].insertedContentRelation
  56. LDP_NR_TYPE = nsc['ldp'].NonRDFSource
  57. LDP_RS_TYPE = nsc['ldp'].RDFSource
  58. MBR_RSRC_URI = nsc['ldp'].membershipResource
  59. MBR_REL_URI = nsc['ldp'].hasMemberRelation
  60. RETURN_CHILD_RES_URI = nsc['fcrepo'].Children
  61. RETURN_INBOUND_REF_URI = nsc['fcrepo'].InboundReferences
  62. RETURN_SRV_MGD_RES_URI = nsc['fcrepo'].ServerManaged
  63. ROOT_NODE_URN = nsc['fcsystem'].root
  64. RES_CREATED = 'Create'
  65. RES_DELETED = 'Delete'
  66. RES_UPDATED = 'Update'
  67. protected_pred = (
  68. nsc['fcrepo'].created,
  69. nsc['fcrepo'].createdBy,
  70. nsc['ldp'].contains,
  71. )
  72. _logger = logging.getLogger(__name__)
  73. ## STATIC & CLASS METHODS ##
  74. @classmethod
  75. def inst(cls, uuid, repr_opts=None):
  76. '''
  77. Factory method that creates and returns an instance of an LDPR subclass
  78. based on information that needs to be queried from the underlying
  79. graph store.
  80. N.B. The resource must exist.
  81. @param uuid UUID of the instance.
  82. '''
  83. imr_urn = nsc['fcres'][uuid] if uuid else cls.ROOT_NODE_URN
  84. cls._logger.debug('Representation options: {}'.format(repr_opts))
  85. imr_opts = cls.set_imr_options(repr_opts)
  86. imr = current_app.rdfly.extract_imr(imr_urn, **imr_opts)
  87. rdf_types = set(imr.objects(RDF.type))
  88. for t in rdf_types:
  89. cls._logger.debug('Checking RDF type: {}'.format(t.identifier))
  90. if t.identifier == cls.LDP_NR_TYPE:
  91. from lakesuperior.model.ldp_nr import LdpNr
  92. cls._logger.info('Resource is a LDP-NR.')
  93. return LdpNr(uuid, repr_opts)
  94. if t.identifier == cls.LDP_RS_TYPE:
  95. from lakesuperior.model.ldp_rs import LdpRs
  96. cls._logger.info('Resource is a LDP-RS.')
  97. return LdpRs(uuid, repr_opts)
  98. raise ResourceNotExistsError(uuid)
  99. @classmethod
  100. def inst_for_post(cls, parent_uuid=None, slug=None):
  101. '''
  102. Validate conditions to perform a POST and return an LDP resource
  103. instancefor using with the `post` method.
  104. This may raise an exception resulting in a 404 if the parent is not
  105. found or a 409 if the parent is not a valid container.
  106. '''
  107. # Shortcut!
  108. if not slug and not parent_uuid:
  109. return cls(str(uuid4()))
  110. parent = cls(parent_uuid, repr_opts={
  111. 'parameters' : {'omit' : cls.RETURN_CHILD_RES_URI}
  112. })
  113. # Set prefix.
  114. if parent_uuid:
  115. parent_types = { t.identifier for t in \
  116. parent.imr.objects(RDF.type) }
  117. cls._logger.debug('Parent types: {}'.format(
  118. parent_types))
  119. if nsc['ldp'].Container not in parent_types:
  120. raise InvalidResourceError('Parent {} is not a container.'
  121. .format(parent_uuid))
  122. pfx = parent_uuid + '/'
  123. else:
  124. pfx = ''
  125. # Create candidate UUID and validate.
  126. if slug:
  127. cnd_uuid = pfx + slug
  128. cnd_rsrc = Resource(current_app.rdfly.ds, nsc['fcres'][cnd_uuid])
  129. if current_app.rdfly.ask_rsrc_exists(cnd_rsrc.identifier):
  130. return cls(pfx + str(uuid4()))
  131. else:
  132. return cls(cnd_uuid)
  133. else:
  134. return cls(pfx + str(uuid4()))
  135. @classmethod
  136. def set_imr_options(cls, repr_opts):
  137. '''
  138. Set options to retrieve IMR.
  139. Ideally, IMR retrieval is done once per request, so all the options
  140. are set once in the `imr()` property.
  141. @param repr_opts (dict): Options parsed from `Prefer` header.
  142. '''
  143. cls._logger.debug('Setting retrieval options from: {}'.format(repr_opts))
  144. imr_options = {}
  145. if repr_opts.setdefault('value') == 'minimal':
  146. imr_options = {
  147. 'embed_children' : False,
  148. 'incl_children' : False,
  149. 'incl_inbound' : False,
  150. 'incl_srv_mgd' : False,
  151. }
  152. else:
  153. # Default.
  154. imr_options = {
  155. 'embed_children' : False,
  156. 'incl_children' : True,
  157. 'incl_inbound' : False,
  158. 'incl_srv_mgd' : True,
  159. }
  160. # Override defaults.
  161. if 'parameters' in repr_opts:
  162. include = repr_opts['parameters']['include'].split(' ') \
  163. if 'include' in repr_opts['parameters'] else []
  164. omit = repr_opts['parameters']['omit'].split(' ') \
  165. if 'omit' in repr_opts['parameters'] else []
  166. cls._logger.debug('Include: {}'.format(include))
  167. cls._logger.debug('Omit: {}'.format(omit))
  168. if str(cls.EMBED_CHILD_RES_URI) in include:
  169. imr_options['embed_children'] = True
  170. if str(cls.RETURN_CHILD_RES_URI) in omit:
  171. imr_options['incl_children'] = False
  172. if str(cls.RETURN_INBOUND_REF_URI) in include:
  173. imr_options['incl_inbound'] = True
  174. if str(cls.RETURN_SRV_MGD_RES_URI) in omit:
  175. imr_options['incl_srv_mgd'] = False
  176. cls._logger.debug('Retrieval options: {}'.format(imr_options))
  177. return imr_options
  178. ## MAGIC METHODS ##
  179. def __init__(self, uuid, repr_opts={}):
  180. '''Instantiate an in-memory LDP resource that can be loaded from and
  181. persisted to storage.
  182. Persistence is done in this class. None of the operations in the store
  183. layout should commit an open transaction. Methods are wrapped in a
  184. transaction by using the `@transactional` decorator.
  185. @param uuid (string) UUID of the resource. If None (must be explicitly
  186. set) it refers to the root node.
  187. '''
  188. self.uuid = uuid
  189. self.urn = nsc['fcres'][uuid] if self.uuid else self.ROOT_NODE_URN
  190. self.uri = Toolbox().uuid_to_uri(self.uuid)
  191. self.repr_opts = repr_opts
  192. self._imr_options = __class__.set_imr_options(self.repr_opts)
  193. self.rdfly = current_app.rdfly
  194. self.nonrdfly = current_app.nonrdfly
  195. @property
  196. def rsrc(self):
  197. '''
  198. The RDFLib resource representing this LDPR. This is a live
  199. representation of the stored data if present.
  200. @return rdflib.resource.Resource
  201. '''
  202. if not hasattr(self, '_rsrc'):
  203. self._rsrc = self.rdfly.ds.resource(self.urn)
  204. return self._rsrc
  205. @property
  206. def imr(self):
  207. '''
  208. Extract an in-memory resource from the graph store.
  209. If the resource is not stored (yet), a `ResourceNotExistsError` is
  210. raised.
  211. @return rdflib.resource.Resource
  212. '''
  213. if not hasattr(self, '_imr'):
  214. self._logger.debug('IMR options: {}'.format(self._imr_options))
  215. options = dict(self._imr_options, strict=True)
  216. self._imr = self.rdfly.extract_imr(self.urn, **options)
  217. return self._imr
  218. @property
  219. def stored_or_new_imr(self):
  220. '''
  221. Extract an in-memory resource for harmless manipulation and output.
  222. If the resource is not stored (yet), initialize a new IMR with basic
  223. triples.
  224. @return rdflib.resource.Resource
  225. '''
  226. if not hasattr(self, '_imr'):
  227. options = dict(self._imr_options, strict=True)
  228. try:
  229. self._imr = self.rdfly.extract_imr(self.urn, **options)
  230. except ResourceNotExistsError:
  231. self._imr = Resource(Graph(), self.urn)
  232. for t in self.base_types:
  233. self.imr.add(RDF.type, t)
  234. return self._imr
  235. @imr.deleter
  236. def imr(self):
  237. '''
  238. Delete in-memory buffered resource.
  239. '''
  240. delattr(self, '_imr')
  241. @property
  242. def out_graph(self):
  243. '''
  244. Retun a globalized graph of the resource's IMR.
  245. Internal URNs are replaced by global URIs using the endpoint webroot.
  246. '''
  247. # Remove digest hash.
  248. self.imr.remove(nsc['premis'].hasMessageDigest)
  249. if not self._imr_options.setdefault('incl_srv_mgd', False):
  250. for p in srv_mgd_predicates:
  251. self._logger.debug('Removing predicate: {}'.format(p))
  252. self.imr.remove(p)
  253. for t in srv_mgd_types:
  254. self._logger.debug('Removing type: {}'.format(t))
  255. self.imr.remove(RDF.type, t)
  256. out_g = Toolbox().globalize_graph(self.imr.graph)
  257. # Clear IMR because it's been pruned. In the rare case it is needed
  258. # after this method, it will be retrieved again.
  259. delattr(self, 'imr')
  260. return out_g
  261. @property
  262. def is_stored(self):
  263. return self.rdfly.ask_rsrc_exists(self.urn)
  264. @property
  265. def types(self):
  266. '''All RDF types.
  267. @return set(rdflib.term.URIRef)
  268. '''
  269. if not hasattr(self, '_types'):
  270. self._types = self.imr.graph[self.imr.identifier : RDF.type]
  271. return self._types
  272. @property
  273. def ldp_types(self):
  274. '''The LDP types.
  275. @return set(rdflib.term.URIRef)
  276. '''
  277. if not hasattr(self, '_ldp_types'):
  278. self._ldp_types = { t for t in self.types if t[:4] == 'ldp:' }
  279. return self._ldp_types
  280. ## LDP METHODS ##
  281. def head(self):
  282. '''
  283. Return values for the headers.
  284. '''
  285. out_headers = defaultdict(list)
  286. self._logger.debug('IMR options in head(): {}'.format(self._imr_options))
  287. digest = self.imr.value(nsc['premis'].hasMessageDigest)
  288. if digest:
  289. etag = digest.identifier.split(':')[-1]
  290. out_headers['ETag'] = 'W/"{}"'.format(etag),
  291. last_updated_term = self.imr.value(nsc['fcrepo'].lastModified)
  292. if last_updated_term:
  293. out_headers['Last-Modified'] = arrow.get(last_updated_term)\
  294. .format('ddd, D MMM YYYY HH:mm:ss Z')
  295. for t in self.ldp_types:
  296. out_headers['Link'].append(
  297. '{};rel="type"'.format(t.n3()))
  298. return out_headers
  299. def get(self, *args, **kwargs):
  300. raise NotImplementedError()
  301. def post(self, *args, **kwargs):
  302. raise NotImplementedError()
  303. def put(self, *args, **kwargs):
  304. raise NotImplementedError()
  305. def patch(self, *args, **kwargs):
  306. raise NotImplementedError()
  307. @transactional
  308. def delete(self, inbound=True, delete_children=True, leave_tstone=True):
  309. '''
  310. https://www.w3.org/TR/ldp/#ldpr-HTTP_DELETE
  311. @param inbound (boolean) If specified, delete all inbound relationships
  312. as well. This is the default and is always the case if referential
  313. integrity is enforced by configuration.
  314. @param delete_children (boolean) Whether to delete all child resources.
  315. This is the default.
  316. '''
  317. refint = current_app.config['store']['ldp_rs']['referential_integrity']
  318. inbound = True if refint else inbound
  319. children = self.imr[nsc['ldp'].contains * '+'] \
  320. if delete_children else []
  321. ret = self._delete_rsrc(inbound, leave_tstone)
  322. for child_uri in children:
  323. child_rsrc = Ldpr.inst(
  324. Toolbox().uri_to_uuid(child_uri.identifier), self.repr_opts)
  325. child_rsrc._delete_rsrc(inbound, leave_tstone,
  326. tstone_pointer=self.urn)
  327. return ret
  328. @transactional
  329. def delete_tombstone(self):
  330. '''
  331. Delete a tombstone.
  332. N.B. This does not trigger an event.
  333. '''
  334. remove_trp = {
  335. (self.urn, RDF.type, nsc['fcsystem'].Tombstone),
  336. (self.urn, nsc['fcrepo'].created, None),
  337. (None, nsc['fcsystem'].tombstone, self.urn),
  338. }
  339. self.rdfly.modify_dataset(remove_trp)
  340. ## PROTECTED METHODS ##
  341. def _create_rsrc(self):
  342. '''
  343. Create a new resource by comparing an empty graph with the provided
  344. IMR graph.
  345. '''
  346. self.rdfly.modify_dataset(add_trp=self.provided_imr.graph)
  347. return self.RES_CREATED
  348. def _replace_rsrc(self):
  349. '''
  350. Replace a resource.
  351. The existing resource graph is removed except for the protected terms.
  352. '''
  353. # The extracted IMR is used as a "minus" delta, so protected predicates
  354. # must be removed.
  355. for p in self.protected_pred:
  356. self.imr.remove(p)
  357. delta = self._dedup_deltas(self.imr.graph, self.provided_imr.graph)
  358. self.rdfly.modify_dataset(*delta)
  359. # Reset the IMR because it has changed.
  360. delattr(self, 'imr')
  361. return self.RES_UPDATED
  362. def _delete_rsrc(self, inbound, leave_tstone=True, tstone_pointer=None):
  363. '''
  364. Delete a single resource and create a tombstone.
  365. @param inbound (boolean) Whether to delete the inbound relationships.
  366. @param tstone_pointer (URIRef) If set to a URN, this creates a pointer
  367. to the tombstone of the resource that used to contain the deleted
  368. resource. Otherwise the delete resource becomes a tombstone.
  369. '''
  370. self._logger.info('Removing resource {}'.format(self.urn))
  371. remove_trp = set(self.imr.graph)
  372. add_trp = set()
  373. if leave_tstone:
  374. if tstone_pointer:
  375. add_trp.add((self.urn, nsc['fcsystem'].tombstone,
  376. tstone_pointer))
  377. else:
  378. ts = Literal(arrow.utcnow(), datatype=XSD.dateTime)
  379. add_trp.add((self.urn, RDF.type, nsc['fcsystem'].Tombstone))
  380. add_trp.add((self.urn, nsc['fcrepo'].created, ts))
  381. else:
  382. self._logger.info('NOT leaving tombstone.')
  383. if inbound:
  384. for ib_rsrc_uri in self.imr.graph.subjects(None, self.urn):
  385. remove_trp.add((ib_rsrc_uri, None, self.urn))
  386. self.rdfly.modify_dataset(remove_trp, add_trp)
  387. return self.RES_DELETED
  388. def _set_containment_rel(self):
  389. '''Find the closest parent in the path indicated by the UUID and
  390. establish a containment triple.
  391. E.g.
  392. - If only urn:fcres:a (short: a) exists:
  393. - If a/b/c/d is being created, a becomes container of a/b/c/d. Also,
  394. pairtree nodes are created for a/b and a/b/c.
  395. - If e is being created, the root node becomes container of e.
  396. '''
  397. if '/' in self.uuid:
  398. # Traverse up the hierarchy to find the parent.
  399. parent_uri = self._find_parent_or_create_pairtree(self.uuid)
  400. if parent_uri:
  401. self.rdfly.ds.add((parent_uri, nsc['ldp'].contains,
  402. self.rsrc.identifier))
  403. # Direct or indirect container relationship.
  404. self._add_ldp_dc_ic_rel(parent_uri)
  405. else:
  406. self.rsrc.graph.add((nsc['fcsystem'].root, nsc['ldp'].contains,
  407. self.rsrc.identifier))
  408. def _find_parent_or_create_pairtree(self, uuid):
  409. '''
  410. Check the path-wise parent of the new resource. If it exists, return
  411. its URI. Otherwise, create pairtree resources up the path until an
  412. actual resource or the root node is found.
  413. @return rdflib.term.URIRef
  414. '''
  415. path_components = uuid.split('/')
  416. if len(path_components) < 2:
  417. return None
  418. # Build search list, e.g. for a/b/c/d/e would be a/b/c/d, a/b/c, a/b, a
  419. self._logger.info('Path components: {}'.format(path_components))
  420. fwd_search_order = accumulate(
  421. list(path_components)[:-1],
  422. func=lambda x,y : x + '/' + y
  423. )
  424. rev_search_order = reversed(list(fwd_search_order))
  425. cur_child_uri = nsc['fcres'][uuid]
  426. for cparent_uuid in rev_search_order:
  427. cparent_uri = nsc['fcres'][cparent_uuid]
  428. if self.rdfly.ask_rsrc_exists(cparent_uri):
  429. return cparent_uri
  430. else:
  431. self._create_path_segment(cparent_uri, cur_child_uri)
  432. cur_child_uri = cparent_uri
  433. return None
  434. def _dedup_deltas(self, remove_g, add_g):
  435. '''
  436. Remove duplicate triples from add and remove delta graphs, which would
  437. otherwise contain unnecessary statements that annul each other.
  438. '''
  439. return (
  440. remove_g - add_g,
  441. add_g - remove_g
  442. )
  443. def _create_path_segment(self, uri, child_uri):
  444. '''
  445. Create a path segment with a non-LDP containment statement.
  446. This diverges from the default fcrepo4 behavior which creates pairtree
  447. resources.
  448. If a resource such as `fcres:a/b/c` is created, and neither fcres:a or
  449. fcres:a/b exists, we have to create two "hidden" containment statements
  450. between a and a/b and between a/b and a/b/c in order to maintain the
  451. `containment chain.
  452. '''
  453. imr = Resource(Graph(), uri)
  454. imr.add(RDF.type, nsc['ldp'].Container)
  455. imr.add(RDF.type, nsc['ldp'].BasicContainer)
  456. imr.add(RDF.type, nsc['ldp'].RDFSource)
  457. imr.add(nsc['fcrepo'].contains, child_uri)
  458. # If the path segment is just below root
  459. if '/' not in str(uri):
  460. imr.graph.add((nsc['fcsystem'].root, nsc['fcrepo'].contains, uri))
  461. self.rdfly.create_rsrc(imr)
  462. def _add_ldp_dc_ic_rel(self, cont_uri):
  463. '''
  464. Add relationship triples from a direct or indirect container parent.
  465. @param cont_uri (rdflib.term.URIRef) The container URI.
  466. '''
  467. cont_imr = self.rdfly.extract_imr(cont_uri, incl_children=False)
  468. cont_p = set(cont_imr.graph.predicates())
  469. add_g = Graph()
  470. self._logger.info('Checking direct or indirect containment.')
  471. self._logger.debug('Parent predicates: {}'.format(cont_p))
  472. if self.MBR_RSRC_URI in cont_p and self.MBR_REL_URI in cont_p:
  473. s = Toolbox().localize_term(
  474. cont_imr.value(self.MBR_RSRC_URI).identifier)
  475. p = cont_imr.value(self.MBR_REL_URI).identifier
  476. if cont_imr[RDF.type : nsc['ldp'].DirectContainer]:
  477. self._logger.info('Parent is a direct container.')
  478. self._logger.debug('Creating DC triples.')
  479. add_g.add((s, p, self.urn))
  480. elif cont_imr[RDF.type : nsc['ldp'].IndirectContainer] \
  481. and self.INS_CNT_REL_URI in cont_p:
  482. self._logger.info('Parent is an indirect container.')
  483. cont_rel_uri = cont_imr.value(self.INS_CNT_REL_URI).identifier
  484. target_uri = self.provided_imr.value(cont_rel_uri).identifier
  485. self._logger.debug('Target URI: {}'.format(target_uri))
  486. if target_uri:
  487. self._logger.debug('Creating IC triples.')
  488. add_g.add((s, p, target_uri))
  489. if len(add_g):
  490. add_g = self._check_mgd_terms(add_g)
  491. self._logger.debug('Adding DC/IC triples: {}'.format(
  492. add_g.serialize(format='turtle').decode('utf-8')))
  493. self.rdfly.modify_dataset(Graph(), add_g)