ldpr.py 20 KB

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