ldpr.py 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570
  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 rdflib import Graph
  9. from rdflib.resource import Resource
  10. from rdflib.namespace import RDF, XSD
  11. from lakesuperior.config_parser import config
  12. from lakesuperior.dictionaries.namespaces import ns_collection as nsc
  13. from lakesuperior.exceptions import InvalidResourceError, \
  14. ResourceNotExistsError, ServerManagedTermError
  15. from lakesuperior.store_layouts.rdf.base_rdf_layout import BaseRdfLayout
  16. from lakesuperior.util.translator import Translator
  17. def transactional(fn):
  18. '''
  19. Decorator for methods of the Ldpr class to handle transactions in an RDF
  20. store.
  21. '''
  22. def wrapper(self, *args, **kwargs):
  23. try:
  24. ret = fn(self, *args, **kwargs)
  25. self._logger.info('Committing transaction.')
  26. self.rdfly.store.commit()
  27. return ret
  28. except:
  29. self._logger.warn('Rolling back transaction.')
  30. self.rdfly.store.rollback()
  31. raise
  32. return wrapper
  33. def must_exist(fn):
  34. '''
  35. Ensures that a method is applied to a stored resource.
  36. Decorator for methods of the Ldpr class.
  37. '''
  38. def wrapper(self, *args, **kwargs):
  39. if not self.is_stored:
  40. raise ResourceNotExistsError(self.uuid)
  41. return fn(self, *args, **kwargs)
  42. return wrapper
  43. def must_not_exist(fn):
  44. '''
  45. Ensures that a method is applied to a resource that is not stored.
  46. Decorator for methods of the Ldpr class.
  47. '''
  48. def wrapper(self, *args, **kwargs):
  49. if self.is_stored:
  50. raise ResourceExistsError(self.uuid)
  51. return fn(self, *args, **kwargs)
  52. return wrapper
  53. class Ldpr(metaclass=ABCMeta):
  54. '''LDPR (LDP Resource).
  55. Definition: https://www.w3.org/TR/ldp/#ldpr-resource
  56. This class and related subclasses contain the implementation pieces of
  57. the vanilla LDP specifications. This is extended by the
  58. `lakesuperior.fcrepo.Resource` class.
  59. Inheritance graph: https://www.w3.org/TR/ldp/#fig-ldpc-types
  60. Note: Even though LdpNr (which is a subclass of Ldpr) handles binary files,
  61. it still has an RDF representation in the triplestore. Hence, some of the
  62. RDF-related methods are defined in this class rather than in the LdpRs
  63. class.
  64. Convention notes:
  65. All the methods in this class handle internal UUIDs (URN). Public-facing
  66. URIs are converted from URNs and passed by these methods to the methods
  67. handling HTTP negotiation.
  68. The data passed to the store layout for processing should be in a graph.
  69. All conversion from request payload strings is done here.
  70. '''
  71. FCREPO_PTREE_TYPE = nsc['fcrepo'].Pairtree
  72. LDP_NR_TYPE = nsc['ldp'].NonRDFSource
  73. LDP_RS_TYPE = nsc['ldp'].RDFSource
  74. RETURN_CHILD_RES_URI = nsc['fcrepo'].EmbedResources
  75. RETURN_INBOUND_REF_URI = nsc['fcrepo'].InboundReferences
  76. RETURN_SRV_MGD_RES_URI = nsc['fcrepo'].ServerManaged
  77. _logger = logging.getLogger(__name__)
  78. rdf_store_layout = config['application']['store']['ldp_rs']['layout']
  79. non_rdf_store_layout = config['application']['store']['ldp_nr']['layout']
  80. ## MAGIC METHODS ##
  81. def __init__(self, uuid, retr_opts={}):
  82. '''Instantiate an in-memory LDP resource that can be loaded from and
  83. persisted to storage.
  84. Persistence is done in this class. None of the operations in the store
  85. layout should commit an open transaction. Methods are wrapped in a
  86. transaction by using the `@transactional` decorator.
  87. @param uuid (string) UUID of the resource.
  88. '''
  89. self.uuid = uuid
  90. self._urn = nsc['fcres'][uuid] if self.uuid is not None \
  91. else BaseRdfLayout.ROOT_NODE_URN
  92. self._set_imr_options(retr_opts)
  93. @property
  94. def urn(self):
  95. '''
  96. The internal URI (URN) for the resource as stored in the triplestore.
  97. This is a URN that needs to be converted to a global URI for the LDP
  98. API.
  99. @return rdflib.URIRef
  100. '''
  101. return self._urn
  102. @property
  103. def uri(self):
  104. '''
  105. The URI for the resource as published by the REST API.
  106. @return rdflib.URIRef
  107. '''
  108. return Translator.uuid_to_uri(self.uuid)
  109. @property
  110. def rdfly(self):
  111. '''
  112. Load RDF store layout.
  113. '''
  114. if not hasattr(self, '_rdfly'):
  115. self._rdfly = __class__.load_layout('rdf')
  116. return self._rdfly
  117. @property
  118. def rsrc(self):
  119. '''
  120. The RDFLib resource representing this LDPR. This is a live
  121. representation of the stored data if present.
  122. @return rdflib.resource.Resource
  123. '''
  124. if not hasattr(self, '_rsrc'):
  125. self._rsrc = self.rdfly.rsrc(self.urn)
  126. return self._rsrc
  127. @property
  128. def imr(self):
  129. '''
  130. Extract an in-memory resource from the graph store.
  131. If the resource is not stored (yet), a `ResourceNotExistsError` is
  132. raised.
  133. @return rdflib.resource.Resource
  134. '''
  135. if not hasattr(self, '_imr'):
  136. self._logger.debug('IMR options: {}'.format(self._imr_options))
  137. options = dict(self._imr_options, strict=True)
  138. self._imr = self.rdfly.extract_imr(self.urn, **options)
  139. return self._imr
  140. @property
  141. def stored_or_new_imr(self):
  142. '''
  143. Extract an in-memory resource for harmless manipulation and output.
  144. If the resource is not stored (yet), initialize a new IMR with basic
  145. triples.
  146. @return rdflib.resource.Resource
  147. '''
  148. if not hasattr(self, '_imr'):
  149. options = dict(self._imr_options, strict=True)
  150. try:
  151. self._imr = self.rdfly.extract_imr(self.urn, **options)
  152. except ResourceNotExistsError:
  153. self._imr = Resource(Graph(), self.urn)
  154. for t in self.base_types:
  155. self.imr.add(RDF.type, t)
  156. return self._imr
  157. @imr.deleter
  158. def imr(self):
  159. '''
  160. Delete in-memory buffered resource.
  161. '''
  162. delattr(self, '_imr')
  163. @property
  164. def is_stored(self):
  165. return self.rdfly.ask_rsrc_exists(self.urn)
  166. @property
  167. def types(self):
  168. '''All RDF types.
  169. @return set(rdflib.term.URIRef)
  170. '''
  171. if not hasattr(self, '_types'):
  172. self._types = set(self.rsrc[RDF.type])
  173. return self._types
  174. @property
  175. def ldp_types(self):
  176. '''The LDP types.
  177. @return set(rdflib.term.URIRef)
  178. '''
  179. if not hasattr(self, '_ldp_types'):
  180. self._ldp_types = set()
  181. for t in self.types:
  182. if t.qname()[:4] == 'ldp:':
  183. self._ldp_types.add(t)
  184. return self._ldp_types
  185. @property
  186. def containment(self):
  187. if not hasattr(self, '_containment'):
  188. q = '''
  189. SELECT ?container ?contained {
  190. {
  191. ?s ldp:contains ?contained .
  192. } UNION {
  193. ?container ldp:contains ?s .
  194. }
  195. }
  196. '''
  197. qres = self.rsrc.graph.query(q, initBindings={'s' : self.urn})
  198. # There should only be one container.
  199. for t in qres:
  200. if t[0]:
  201. container = self.rdfly.ds.resource(t[0])
  202. contains = ( self.rdfly.ds.resource(t[1]) for t in qres if t[1] )
  203. self._containment = {
  204. 'container' : container, 'contains' : contains}
  205. return self._containment
  206. @containment.deleter
  207. def containment(self):
  208. '''
  209. Reset containment variable when changing containment triples.
  210. '''
  211. del self._containment
  212. @property
  213. def container(self):
  214. return self.containment['container']
  215. @property
  216. def contains(self):
  217. return self.containment['contains']
  218. ## STATIC & CLASS METHODS ##
  219. @classmethod
  220. def load_layout(cls, type, uuid=None):
  221. '''
  222. Dynamically load the store layout indicated in the configuration.
  223. @param type (string) One of `rdf` or `non_rdf`. Determines the type of
  224. layout to be loaded.
  225. @param uuid (string) UUID of the base resource. For RDF layouts only.
  226. '''
  227. layout_cls = getattr(cls, '{}_store_layout'.format(type))
  228. store_mod = import_module('lakesuperior.store_layouts.{0}.{1}'.format(
  229. type, layout_cls))
  230. layout_cls = getattr(store_mod, Translator.camelcase(layout_cls))
  231. return layout_cls()
  232. @classmethod
  233. def readonly_inst(cls, uuid, repr_opts=None):
  234. '''
  235. Factory method that creates and returns an instance of an LDPR subclass
  236. based on information that needs to be queried from the underlying
  237. graph store.
  238. This is used with retrieval methods for resources that already exist.
  239. @param uuid UUID of the instance.
  240. '''
  241. rdfly = cls.load_layout('rdf')
  242. imr_urn = nsc['fcres'][uuid] if uuid else rdfly.ROOT_NODE_URN
  243. imr = rdfly.extract_imr(imr_urn, **repr_opts)
  244. rdf_types = imr.objects(RDF.type)
  245. for t in rdf_types:
  246. cls._logger.debug('Checking RDF type: {}'.format(t.identifier))
  247. if t.identifier == cls.LDP_NR_TYPE:
  248. from lakesuperior.model.ldp_nr import LdpNr
  249. cls._logger.info('Resource is a LDP-NR.')
  250. return LdpNr(uuid)
  251. if t.identifier == cls.LDP_RS_TYPE:
  252. from lakesuperior.model.ldp_rs import LdpRs
  253. cls._logger.info('Resource is a LDP-RS.')
  254. return LdpRs(uuid)
  255. raise ResourceNotExistsError(uuid)
  256. @classmethod
  257. def inst_for_post(cls, parent_uuid=None, slug=None):
  258. '''
  259. Validate conditions to perform a POST and return an LDP resource
  260. instancefor using with the `post` method.
  261. This may raise an exception resulting in a 404 if the parent is not
  262. found or a 409 if the parent is not a valid container.
  263. '''
  264. # Shortcut!
  265. if not slug and not parent_uuid:
  266. return cls(str(uuid4()))
  267. rdfly = cls.load_layout('rdf')
  268. parent_imr_urn = nsc['fcres'][parent_uuid] if parent_uuid \
  269. else rdfly.ROOT_NODE_URN
  270. parent_imr = rdfly.extract_imr(parent_imr_urn, minimal=True)
  271. if not len(parent_imr.graph):
  272. raise ResourceNotExistsError(parent_uuid)
  273. # Set prefix.
  274. if parent_uuid:
  275. parent_types = { t.identifier for t in \
  276. parent_imr.objects(RDF.type) }
  277. cls._logger.debug('Parent types: {}'.format(
  278. parent_types))
  279. if nsc['ldp'].Container not in parent_types:
  280. raise InvalidResourceError('Parent {} is not a container.'
  281. .format(parent_uuid))
  282. pfx = parent_uuid + '/'
  283. else:
  284. pfx = ''
  285. # Create candidate UUID and validate.
  286. if slug:
  287. cnd_uuid = pfx + slug
  288. cnd_rsrc = Resource(rdfly.ds, nsc['fcres'][cnd_uuid])
  289. if rdfly.ask_rsrc_exists(cnd_rsrc.identifier):
  290. return cls(pfx + str(uuid4()))
  291. else:
  292. return cls(cnd_uuid)
  293. else:
  294. return cls(pfx + str(uuid4()))
  295. ## LDP METHODS ##
  296. def head(self):
  297. '''
  298. Return values for the headers.
  299. '''
  300. out_headers = defaultdict(list)
  301. self._logger.debug('IMR options in head(): {}'.format(self._imr_options))
  302. digest = self.imr.value(nsc['premis'].hasMessageDigest)
  303. if digest:
  304. etag = digest.identifier.split(':')[-1]
  305. out_headers['ETag'] = 'W/"{}"'.format(etag),
  306. last_updated_term = self.imr.value(nsc['fcrepo'].lastModified)
  307. if last_updated_term:
  308. out_headers['Last-Modified'] = arrow.get(last_updated_term)\
  309. .format('ddd, D MMM YYYY HH:mm:ss Z')
  310. for t in self.ldp_types:
  311. out_headers['Link'].append(
  312. '{};rel="type"'.format(t.identifier.n3()))
  313. return out_headers
  314. def get(self, *args, **kwargs):
  315. raise NotImplementedError()
  316. def post(self, *args, **kwargs):
  317. raise NotImplementedError()
  318. def put(self, *args, **kwargs):
  319. raise NotImplementedError()
  320. def patch(self, *args, **kwargs):
  321. raise NotImplementedError()
  322. @transactional
  323. @must_exist
  324. def delete(self):
  325. '''
  326. https://www.w3.org/TR/ldp/#ldpr-HTTP_DELETE
  327. '''
  328. self.rdfly.delete_rsrc(self.urn)
  329. ## PROTECTED METHODS ##
  330. def _set_containment_rel(self):
  331. '''Find the closest parent in the path indicated by the UUID and
  332. establish a containment triple.
  333. E.g.
  334. - If only urn:fcres:a (short: a) exists:
  335. - If a/b/c/d is being created, a becomes container of a/b/c/d. Also,
  336. pairtree nodes are created for a/b and a/b/c.
  337. - If e is being created, the root node becomes container of e.
  338. '''
  339. if '/' in self.uuid:
  340. # Traverse up the hierarchy to find the parent.
  341. cparent_uri = self._find_parent_or_create_pairtree(self.uuid)
  342. # Reroute possible containment relationships between parent and new
  343. # resource.
  344. #self._splice_in(cparent)
  345. if cparent_uri:
  346. self.rdfly.ds.add((cparent_uri, nsc['ldp'].contains,
  347. self.rsrc.identifier))
  348. else:
  349. self.rsrc.graph.add((nsc['fcsystem'].root, nsc['ldp'].contains,
  350. self.rsrc.identifier))
  351. # If a resource has no parent and should be parent of the new resource,
  352. # add the relationship.
  353. #for child_uri in self.find_lost_children():
  354. # self.rsrc.add(nsc['ldp'].contains, child_uri)
  355. def _find_parent_or_create_pairtree(self, uuid):
  356. '''
  357. Check the path-wise parent of the new resource. If it exists, return
  358. its URI. Otherwise, create pairtree resources up the path until an
  359. actual resource or the root node is found.
  360. @return rdflib.term.URIRef
  361. '''
  362. path_components = uuid.split('/')
  363. if len(path_components) < 2:
  364. return None
  365. # Build search list, e.g. for a/b/c/d/e would be a/b/c/d, a/b/c, a/b, a
  366. self._logger.info('Path components: {}'.format(path_components))
  367. fwd_search_order = accumulate(
  368. list(path_components)[:-1],
  369. func=lambda x,y : x + '/' + y
  370. )
  371. rev_search_order = reversed(list(fwd_search_order))
  372. cur_child_uri = nsc['fcres'][uuid]
  373. for cparent_uuid in rev_search_order:
  374. cparent_uri = nsc['fcres'][cparent_uuid]
  375. if self.rdfly.ask_rsrc_exists(cparent_uri):
  376. return cparent_uri
  377. else:
  378. self._create_path_segment(cparent_uri, cur_child_uri)
  379. cur_child_uri = cparent_uri
  380. return None
  381. def _create_path_segment(self, uri, child_uri):
  382. '''
  383. Create a path segment with a non-LDP containment statement.
  384. This diverges from the default fcrepo4 behavior which creates pairtree
  385. resources.
  386. If a resource such as `fcres:a/b/c` is created, and neither fcres:a or
  387. fcres:a/b exists, we have to create two "hidden" containment statements
  388. between a and a/b and between a/b and a/b/c in order to maintain the
  389. `containment chain.
  390. '''
  391. imr = Resource(Graph(), uri)
  392. imr.add(RDF.type, nsc['ldp'].Container)
  393. imr.add(RDF.type, nsc['ldp'].BasicContainer)
  394. imr.add(RDF.type, nsc['ldp'].RDFSource)
  395. imr.add(nsc['fcrepo'].contains, child_uri)
  396. # If the path segment is just below root
  397. if '/' not in str(uri):
  398. imr.graph.add((nsc['fcsystem'].root, nsc['fcrepo'].contains, uri))
  399. self.rdfly.create_rsrc(imr)
  400. def _set_imr_options(self, repr_opts):
  401. '''
  402. Set options to retrieve IMR.
  403. Ideally, IMR retrieval is done once per request, so all the options
  404. are set once in the `imr()` property.
  405. @param repr_opts (dict): Options parsed from `Prefer` header.
  406. '''
  407. self._imr_options = {}
  408. minimal = embed_children = incl_inbound = False
  409. self._imr_options['incl_srv_mgd'] = True
  410. if 'value' in repr_opts and repr_opts['value'] == 'minimal':
  411. self._imr_options['minimal'] = True
  412. elif 'parameters' in repr_opts:
  413. include = repr_opts['parameters']['include'].split(' ') \
  414. if 'include' in repr_opts['parameters'] else []
  415. omit = repr_opts['parameters']['omit'].split(' ') \
  416. if 'omit' in repr_opts['parameters'] else []
  417. self._logger.debug('Include: {}'.format(include))
  418. self._logger.debug('Omit: {}'.format(omit))
  419. if str(self.RETURN_INBOUND_REF_URI) in include:
  420. self._imr_options['incl_inbound'] = True
  421. if str(self.RETURN_CHILD_RES_URI) in omit:
  422. self._imr_options['embed_chldren'] = False
  423. if str(self.RETURN_SRV_MGD_RES_URI) in omit:
  424. self._imr_options['incl_srv_mgd'] = False