ldpr.py 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512
  1. import logging
  2. from abc import ABCMeta
  3. from importlib import import_module
  4. from itertools import accumulate
  5. import arrow
  6. from rdflib import Graph
  7. from rdflib.resource import Resource as RdflibResrouce
  8. from rdflib.namespace import RDF, XSD
  9. from rdflib.term import Literal
  10. from lakesuperior.config_parser import config
  11. from lakesuperior.connectors.filesystem_connector import FilesystemConnector
  12. from lakesuperior.core.namespaces import ns_collection as nsc
  13. from lakesuperior.util.translator import Translator
  14. class ResourceExistsError(RuntimeError):
  15. '''
  16. Raised in an attempt to create a resource a URN that already exists.
  17. '''
  18. pass
  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.gs.conn.store.commit()
  29. return ret
  30. except:
  31. self._logger.info('Rolling back transaction.')
  32. self.gs.conn.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 strategy for processing should be in a graph.
  51. All conversion from request payload strings is done here.
  52. '''
  53. LDP_NR_TYPE = nsc['ldp'].NonRDFSource
  54. LDP_RS_TYPE = nsc['ldp'].RDFSource
  55. _logger = logging.getLogger(__module__)
  56. store_strategy = config['application']['store']['ldp_rs']['strategy']
  57. ## MAGIC METHODS ##
  58. def __init__(self, uuid):
  59. '''Instantiate an in-memory LDP resource that can be loaded from and
  60. persisted to storage.
  61. Persistence is done in this class. None of the operations in the store
  62. strategy should commit an open transaction. Methods are wrapped in a
  63. transaction by using the `@transactional` decorator.
  64. @param uuid (string) UUID of the resource.
  65. '''
  66. self.uuid = uuid
  67. # Dynamically load the store strategy indicated in the configuration.
  68. store_mod = import_module(
  69. 'lakesuperior.store_strategies.rdf.{}'.format(
  70. self.store_strategy))
  71. self._rdf_store_cls = getattr(store_mod, self._camelcase(
  72. self.store_strategy))
  73. self.gs = self._rdf_store_cls(self.urn)
  74. # Same thing coud be done for the filesystem store strategy, but we
  75. # will keep it simple for now.
  76. self.fs = FilesystemConnector()
  77. @property
  78. def urn(self):
  79. '''
  80. The internal URI (URN) for the resource as stored in the triplestore.
  81. This is a URN that needs to be converted to a global URI for the REST
  82. API.
  83. @return rdflib.URIRef
  84. '''
  85. return nsc['fcres'][self.uuid]
  86. @property
  87. def uri(self):
  88. '''
  89. The URI for the resource as published by the REST API.
  90. @return rdflib.URIRef
  91. '''
  92. return Translator.uuid_to_uri(self.uuid)
  93. @property
  94. def rsrc(self):
  95. '''
  96. The RDFLib resource representing this LDPR. This is a copy of the
  97. stored data if present, and what gets passed to most methods of the
  98. store strategy methods.
  99. @return rdflib.resource.Resource
  100. '''
  101. if not hasattr(self, '_rsrc'):
  102. self._rsrc = self.gs.rsrc
  103. return self._rsrc
  104. @property
  105. def is_stored(self):
  106. return self.gs.ask_rsrc_exists()
  107. @property
  108. def types(self):
  109. '''All RDF types.
  110. @return generator
  111. '''
  112. if not hasattr(self, '_types'):
  113. self._types = set(self.rsrc[RDF.type])
  114. return self._types
  115. @property
  116. def ldp_types(self):
  117. '''The LDP types.
  118. @return set(rdflib.term.URIRef)
  119. '''
  120. if not hasattr(self, '_ldp_types'):
  121. self._ldp_types = set()
  122. for t in self.types:
  123. if t.qname[:4] == 'ldp:':
  124. self._ldp_types.add(t)
  125. return self._ldp_types
  126. @property
  127. def containment(self):
  128. if not hasattr(self, '_containment'):
  129. q = '''
  130. SELECT ?container ?contained {
  131. {
  132. ?s ldp:contains ?contained .
  133. } UNION {
  134. ?container ldp:contains ?s .
  135. }
  136. }
  137. '''
  138. qres = self.rsrc.graph.query(q, initBindings={'s' : self.urn})
  139. # There should only be one container.
  140. for t in qres:
  141. if t[0]:
  142. container = self.gs.ds.resource(t[0])
  143. contains = ( self.gs.ds.resource(t[1]) for t in qres if t[1] )
  144. self._containment = {
  145. 'container' : container, 'contains' : contains}
  146. return self._containment
  147. @containment.deleter
  148. def containment(self):
  149. '''
  150. Reset containment variable when changing containment triples.
  151. '''
  152. del self._containment
  153. @property
  154. def container(self):
  155. return self.containment['container']
  156. @property
  157. def contains(self):
  158. return self.containment['contains']
  159. ## LDP METHODS ##
  160. def get(self):
  161. '''
  162. https://www.w3.org/TR/ldp/#ldpr-HTTP_GET
  163. '''
  164. return Translator.globalize_rsrc(self.rsrc)
  165. @transactional
  166. def post(self, data, format='text/turtle'):
  167. '''
  168. https://www.w3.org/TR/ldp/#ldpr-HTTP_POST
  169. '''
  170. if self.is_stored:
  171. raise ResourceExistsError(
  172. 'Resource #{} already exists. It cannot be re-created with '
  173. 'this method.'.format(self.urn))
  174. g = Graph()
  175. g.parse(data=data, format=format, publicID=self.urn)
  176. self.gs.create_rsrc(g)
  177. self._set_containment_rel()
  178. @transactional
  179. def put(self, data, format='text/turtle'):
  180. '''
  181. https://www.w3.org/TR/ldp/#ldpr-HTTP_PUT
  182. '''
  183. g = Graph()
  184. g.parse(data=data, format=format, publicID=self.urn)
  185. self.gs.create_or_replace_rsrc(g)
  186. self._set_containment_rel()
  187. @transactional
  188. def delete(self):
  189. '''
  190. https://www.w3.org/TR/ldp/#ldpr-HTTP_DELETE
  191. '''
  192. self.gs.delete_rsrc(self.urn)
  193. ## PROTECTED METHODS ##
  194. def _set_containment_rel(self):
  195. '''Find the closest parent in the path indicated by the UUID and
  196. establish a containment triple.
  197. E.g.
  198. - If only urn:fcres:a (short: a) exists:
  199. - If a/b/c/d is being created, a becomes container of a/b/c/d. Also,
  200. pairtree nodes are created for a/b and a/b/c.
  201. - If e is being created, the root node becomes container of e.
  202. '''
  203. if '/' in self.uuid:
  204. # Traverse up the hierarchy to find the parent.
  205. #candidate_parent_urn = self._find_first_ancestor()
  206. #cparent = self.gs.ds.resource(candidate_parent_urn)
  207. cparent_uri = self._find_parent_or_create_pairtree(self.uuid)
  208. # Reroute possible containment relationships between parent and new
  209. # resource.
  210. #self._splice_in(cparent)
  211. if cparent_uri:
  212. self.gs.ds.add((cparent_uri, nsc['ldp'].contains,
  213. self.rsrc.identifier))
  214. else:
  215. self.rsrc.graph.add((nsc['fcsystem'].root, nsc['ldp'].contains,
  216. self.rsrc.identifier))
  217. # If a resource has no parent and should be parent of the new resource,
  218. # add the relationship.
  219. #for child_uri in self.find_lost_children():
  220. # self.rsrc.add(nsc['ldp'].contains, child_uri)
  221. def _find_parent_or_create_pairtree(self, uuid):
  222. '''
  223. Check the path-wise parent of the new resource. If it exists, return
  224. its URI. Otherwise, create pairtree resources up the path until an
  225. actual resource or the root node is found.
  226. @return rdflib.term.URIRef
  227. '''
  228. path_components = uuid.split('/')
  229. if len(path_components) < 2:
  230. return None
  231. # Build search list, e.g. for a/b/c/d/e would be a/b/c/d, a/b/c, a/b, a
  232. self._logger.info('Path components: {}'.format(path_components))
  233. fwd_search_order = accumulate(
  234. list(path_components)[:-1],
  235. func=lambda x,y : x + '/' + y
  236. )
  237. rev_search_order = reversed(list(fwd_search_order))
  238. cur_child_uri = nsc['fcres'].uuid
  239. for cparent_uuid in rev_search_order:
  240. cparent_uri = nsc['fcres'][cparent_uuid]
  241. # @FIXME A bit ugly. Maybe we should use a Pairtree class.
  242. if self._rdf_store_cls(cparent_uri).ask_rsrc_exists():
  243. return cparent_uri
  244. else:
  245. self._create_pairtree(cparent_uri, cur_child_uri)
  246. cur_child_uri = cparent_uri
  247. return None
  248. #def _find_first_ancestor(self):
  249. # '''
  250. # Find by logic and triplestore queries the first existing resource by
  251. # traversing a path hierarchy upwards.
  252. # @return rdflib.term.URIRef
  253. # '''
  254. # path_components = self.uuid.split('/')
  255. # if len(path_components) < 2:
  256. # return None
  257. # # Build search list, e.g. for a/b/c/d/e would be a/b/c/d, a/b/c, a/b, a
  258. # search_order = accumulate(
  259. # reversed(search_order)[1:],
  260. # func=lambda x,y : x + '/' + y
  261. # )
  262. # for cmp in search_order:
  263. # if self.gs.ask_rsrc_exists(ns['fcres'].cmp):
  264. # return urn
  265. # else:
  266. # self._create_pairtree_node(cmp)
  267. # return None
  268. def _create_pairtree(self, uri, child_uri):
  269. '''
  270. Create a pairtree node with a containment statement.
  271. This is the default fcrepo4 behavior and probably not the best one, but
  272. we are following it here.
  273. If a resource such as `fcres:a/b/c` is created, and neither fcres:a or
  274. fcres:a/b exists, we have to create pairtree nodes in order to maintain
  275. the containment chain.
  276. This way, both fcres:a and fcres:a/b become thus containers of
  277. fcres:a/b/c, which may be confusing.
  278. '''
  279. g = Graph()
  280. g.add((uri, RDF.type, nsc['fedora'].Pairtree))
  281. g.add((uri, RDF.type, nsc['ldp'].Container))
  282. g.add((uri, RDF.type, nsc['ldp'].BasicContainer))
  283. g.add((uri, RDF.type, nsc['ldp'].RDFSource))
  284. g.add((uri, nsc['ldp'].contains, child_uri))
  285. if '/' not in str(uri):
  286. g.add((nsc['fcsystem'].root, nsc['ldp'].contains, uri))
  287. self.gs.create_rsrc(g)
  288. #def _splice_in(self, parent):
  289. # '''
  290. # Insert the new resource between a container and its child.
  291. # If a resource is inserted between two resources that already have a
  292. # containment relationship, e.g. inserting `<a/b>` where
  293. # `<a> ldp:contains <a/b/c>` exists, the existing containment
  294. # relationship must be broken in order to insert the resource in between.
  295. # NOTE: This method only removes the containment relationship between the
  296. # old parent (`<a>` in the example above) and old child (`<a/b/c>`) and
  297. # sets a new one between the new parent and child (`<a/b>` and
  298. # `<a/b/c>`). The relationship between `<a>` and `<a/b>` is set
  299. # separately.
  300. # @param rdflib.resource.Resource parent The parent resource. This
  301. # includes the root node.
  302. # '''
  303. # # For some reason, initBindings (which adds a VALUES statement in the
  304. # # query) does not work **just for `?new`**. `BIND` is necessary along
  305. # # with a format() function.
  306. # q = '''
  307. # SELECT ?child {{
  308. # ?p ldp:contains ?child .
  309. # FILTER ( ?child != <{}> ) .
  310. # FILTER STRSTARTS(str(?child), "{}") .
  311. # }}
  312. # LIMIT 1
  313. # '''.format(self.urn)
  314. # qres = self.rsrc.graph.query(q, initBindings={'p' : parent.identifier})
  315. # if not qres:
  316. # return
  317. # child_urn = qres.next()[0]
  318. # parent.remove(nsc['ldp'].contains, child_urn)
  319. # self.src.add(nsc['ldp'].contains, child_urn)
  320. #def find_lost_children(self):
  321. # '''
  322. # If the parent was created after its children and has to find them!
  323. # '''
  324. # q = '''
  325. # SELECT ?child {
  326. class LdpRs(Ldpr):
  327. '''LDP-RS (LDP RDF source).
  328. Definition: https://www.w3.org/TR/ldp/#ldprs
  329. '''
  330. base_types = {
  331. nsc['ldp'].RDFSource
  332. }
  333. @transactional
  334. def patch(self, data):
  335. '''
  336. https://www.w3.org/TR/ldp/#ldpr-HTTP_PATCH
  337. '''
  338. ts = Literal(arrow.utcnow(), datatype=XSD.dateTime)
  339. self.gs.patch_rsrc(self.urn, data, ts)
  340. self.gs.ds.add((self.urn, nsc['fedora'].lastUpdated, ts))
  341. self.gs.ds.add((self.urn, nsc['fedora'].lastUpdatedBy,
  342. Literal('BypassAdmin')))
  343. class LdpNr(LdpRs):
  344. '''LDP-NR (Non-RDF Source).
  345. Definition: https://www.w3.org/TR/ldp/#ldpnr
  346. '''
  347. pass
  348. class Ldpc(LdpRs):
  349. '''LDPC (LDP Container).'''
  350. def __init__(self, uuid):
  351. super().__init__(uuid)
  352. self.base_types.update({
  353. nsc['ldp'].Container,
  354. })
  355. class LdpBc(Ldpc):
  356. '''LDP-BC (LDP Basic Container).'''
  357. pass
  358. class LdpDc(Ldpc):
  359. '''LDP-DC (LDP Direct Container).'''
  360. def __init__(self, uuid):
  361. super().__init__(uuid)
  362. self.base_types.update({
  363. nsc['ldp'].DirectContainer,
  364. })
  365. class LdpIc(Ldpc):
  366. '''LDP-IC (LDP Indirect Container).'''
  367. def __init__(self, uuid):
  368. super().__init__(uuid)
  369. self.base_types.update({
  370. nsc['ldp'].IndirectContainer,
  371. })