ldpr.py 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692
  1. import logging
  2. from abc import ABCMeta
  3. from importlib import import_module
  4. from itertools import accumulate
  5. from uuid import uuid4
  6. import arrow
  7. from rdflib import Graph
  8. from rdflib.resource import Resource
  9. from rdflib.namespace import RDF, XSD
  10. from rdflib.query import ResultException
  11. from rdflib.term import Literal
  12. from lakesuperior.config_parser import config
  13. from lakesuperior.connectors.filesystem_connector import FilesystemConnector
  14. from lakesuperior.core.namespaces import ns_collection as nsc
  15. from lakesuperior.util.translator import Translator
  16. class ResourceExistsError(RuntimeError):
  17. '''
  18. Raised in an attempt to create a resource a URN that already exists and is
  19. not supposed to.
  20. This usually surfaces at the HTTP level as a 409.
  21. '''
  22. pass
  23. class ResourceNotExistsError(RuntimeError):
  24. '''
  25. Raised in an attempt to create a resource a URN that does not exist and is
  26. supposed to.
  27. This usually surfaces at the HTTP level as a 404.
  28. '''
  29. pass
  30. class InvalidResourceError(RuntimeError):
  31. '''
  32. Raised when an invalid resource is found.
  33. This usually surfaces at the HTTP level as a 409 or other error.
  34. '''
  35. pass
  36. def transactional(fn):
  37. '''
  38. Decorator for methods of the Ldpr class to handle transactions in an RDF
  39. store.
  40. '''
  41. def wrapper(self, *args, **kwargs):
  42. try:
  43. ret = fn(self, *args, **kwargs)
  44. print('Committing transaction.')
  45. self.gs.conn.store.commit()
  46. return ret
  47. except:
  48. print('Rolling back transaction.')
  49. self.gs.conn.store.rollback()
  50. raise
  51. return wrapper
  52. def must_exist(fn):
  53. '''
  54. Ensures that a method is applied to a stored resource.
  55. Decorator for methods of the Ldpr class.
  56. '''
  57. def wrapper(self, *args, **kwargs):
  58. if not self.is_stored:
  59. raise ResourceNotExistsError(
  60. 'Resource #{} not found'.format(self.uuid))
  61. return fn(self, *args, **kwargs)
  62. return wrapper
  63. def must_not_exist(fn):
  64. '''
  65. Ensures that a method is applied to a resource that is not stored.
  66. Decorator for methods of the Ldpr class.
  67. '''
  68. def wrapper(self, *args, **kwargs):
  69. if self.is_stored:
  70. raise ResourceExistsError(
  71. 'Resource #{} already exists.'.format(self.uuid))
  72. return fn(self, *args, **kwargs)
  73. return wrapper
  74. class Ldpr(metaclass=ABCMeta):
  75. '''LDPR (LDP Resource).
  76. Definition: https://www.w3.org/TR/ldp/#ldpr-resource
  77. This class and related subclasses contain the implementation pieces of
  78. the vanilla LDP specifications. This is extended by the
  79. `lakesuperior.fcrepo.Resource` class.
  80. Inheritance graph: https://www.w3.org/TR/ldp/#fig-ldpc-types
  81. Note: Even though LdpNr (which is a subclass of Ldpr) handles binary files,
  82. it still has an RDF representation in the triplestore. Hence, some of the
  83. RDF-related methods are defined in this class rather than in the LdpRs
  84. class.
  85. Convention notes:
  86. All the methods in this class handle internal UUIDs (URN). Public-facing
  87. URIs are converted from URNs and passed by these methods to the methods
  88. handling HTTP negotiation.
  89. The data passed to the store strategy for processing should be in a graph.
  90. All conversion from request payload strings is done here.
  91. '''
  92. FCREPO_PTREE_TYPE = nsc['fedora'].Pairtree
  93. LDP_NR_TYPE = nsc['ldp'].NonRDFSource
  94. LDP_RS_TYPE = nsc['ldp'].RDFSource
  95. _logger = logging.getLogger(__module__)
  96. store_strategy = config['application']['store']['ldp_rs']['strategy']
  97. ## MAGIC METHODS ##
  98. def __init__(self, uuid):
  99. '''Instantiate an in-memory LDP resource that can be loaded from and
  100. persisted to storage.
  101. Persistence is done in this class. None of the operations in the store
  102. strategy should commit an open transaction. Methods are wrapped in a
  103. transaction by using the `@transactional` decorator.
  104. @param uuid (string) UUID of the resource.
  105. '''
  106. self.uuid = uuid
  107. # Dynamically load the store strategy indicated in the configuration.
  108. store_mod = import_module(
  109. 'lakesuperior.store_strategies.rdf.{}'.format(
  110. self.store_strategy))
  111. self._rdf_store_cls = getattr(store_mod, Translator.camelcase(
  112. self.store_strategy))
  113. self.gs = self._rdf_store_cls(self.urn)
  114. # Same thing coud be done for the filesystem store strategy, but we
  115. # will keep it simple for now.
  116. self.fs = FilesystemConnector()
  117. @property
  118. def urn(self):
  119. '''
  120. The internal URI (URN) for the resource as stored in the triplestore.
  121. This is a URN that needs to be converted to a global URI for the REST
  122. API.
  123. @return rdflib.URIRef
  124. '''
  125. return nsc['fcres'][self.uuid]
  126. @property
  127. def uri(self):
  128. '''
  129. The URI for the resource as published by the REST API.
  130. @return rdflib.URIRef
  131. '''
  132. return Translator.uuid_to_uri(self.uuid)
  133. @property
  134. def rsrc(self):
  135. '''
  136. The RDFLib resource representing this LDPR. This is a copy of the
  137. stored data if present, and what gets passed to most methods of the
  138. store strategy methods.
  139. @return rdflib.resource.Resource
  140. '''
  141. if not hasattr(self, '_rsrc'):
  142. self._rsrc = self.gs.rsrc
  143. return self._rsrc
  144. @property
  145. def is_stored(self):
  146. return self.gs.ask_rsrc_exists()
  147. @property
  148. def types(self):
  149. '''All RDF types.
  150. @return generator
  151. '''
  152. if not hasattr(self, '_types'):
  153. self._types = set(self.rsrc[RDF.type])
  154. return self._types
  155. @property
  156. def ldp_types(self):
  157. '''The LDP types.
  158. @return set(rdflib.term.URIRef)
  159. '''
  160. if not hasattr(self, '_ldp_types'):
  161. self._ldp_types = set()
  162. for t in self.types:
  163. if t.qname()[:4] == 'ldp:':
  164. self._ldp_types.add(t)
  165. return self._ldp_types
  166. @property
  167. def containment(self):
  168. if not hasattr(self, '_containment'):
  169. q = '''
  170. SELECT ?container ?contained {
  171. {
  172. ?s ldp:contains ?contained .
  173. } UNION {
  174. ?container ldp:contains ?s .
  175. }
  176. }
  177. '''
  178. qres = self.rsrc.graph.query(q, initBindings={'s' : self.urn})
  179. # There should only be one container.
  180. for t in qres:
  181. if t[0]:
  182. container = self.gs.ds.resource(t[0])
  183. contains = ( self.gs.ds.resource(t[1]) for t in qres if t[1] )
  184. self._containment = {
  185. 'container' : container, 'contains' : contains}
  186. return self._containment
  187. @containment.deleter
  188. def containment(self):
  189. '''
  190. Reset containment variable when changing containment triples.
  191. '''
  192. del self._containment
  193. @property
  194. def container(self):
  195. return self.containment['container']
  196. @property
  197. def contains(self):
  198. return self.containment['contains']
  199. ## STATIC & CLASS METHODS ##
  200. @classmethod
  201. def inst(cls, uuid):
  202. '''
  203. Fatory method that creates and returns an instance of an LDPR subclass
  204. based on information that needs to be queried from the underlying
  205. graph store.
  206. This is used with retrieval methods for resources that already exist.
  207. @param uuid UUID of the instance.
  208. '''
  209. gs = cls.load_gs_static(cls, uuid)
  210. rdf_types = gs.rsrc[nsc['res'][uuid] : RDF.type]
  211. for t in rdf_types:
  212. if t == cls.LDP_NR_TYPE:
  213. return LdpNr(uuid)
  214. if t == cls.LDP_RS_TYPE:
  215. return LdpRs(uuid)
  216. raise ValueError('Resource #{} does not exist or does not have a '
  217. 'valid LDP type.'.format(uuid))
  218. @classmethod
  219. def load_gs_static(cls, uuid=None):
  220. '''
  221. Dynamically load the store strategy indicated in the configuration.
  222. This essentially replicates the init() code in a static context.
  223. '''
  224. store_mod = import_module(
  225. 'lakesuperior.store_strategies.rdf.{}'.format(
  226. cls.store_strategy))
  227. rdf_store_cls = getattr(store_mod, Translator.camelcase(
  228. cls.store_strategy))
  229. return rdf_store_cls(uuid)
  230. @classmethod
  231. def inst_for_post(cls, parent_uuid=None, slug=None):
  232. '''
  233. Validate conditions to perform a POST and return an LDP resource
  234. instancefor using with the `post` method.
  235. This may raise an exception resulting in a 404 if the parent is not
  236. found or a 409 if the parent is not a valid container.
  237. '''
  238. # Shortcut!
  239. if not slug and not parent_uuid:
  240. return cls(str(uuid4()))
  241. gs = cls.load_gs_static()
  242. parent_rsrc = Resource(gs.ds, nsc['fcres'][parent_uuid])
  243. # Set prefix.
  244. if parent_uuid:
  245. parent_exists = gs.ask_rsrc_exists(parent_rsrc)
  246. if not parent_exists:
  247. raise ResourceNotExistsError('Parent not found: {}.'
  248. .format(parent_uuid))
  249. if nsc['ldp'].Container not in gs.rsrc.values(RDF.type):
  250. raise InvalidResourceError('Parent {} is not a container.'
  251. .format(parent_uuid))
  252. pfx = parent_uuid + '/'
  253. else:
  254. pfx = ''
  255. # Create candidate UUID and validate.
  256. if slug:
  257. cnd_uuid = pfx + slug
  258. cnd_rsrc = Resource(gs.ds, nsc['fcres'][cnd_uuid])
  259. if gs.ask_rsrc_exists(cnd_rsrc):
  260. return cls(pfx + str(uuid4()))
  261. else:
  262. return cls(cnd_uuid)
  263. else:
  264. return cls(pfx + str(uuid4()))
  265. ## LDP METHODS ##
  266. def head(self):
  267. '''
  268. Return values for the headers.
  269. '''
  270. headers = self.gs.headers
  271. for t in self.ldp_types:
  272. headers['Link'].append('{};rel="type"'.format(t.identifier.n3()))
  273. return headers
  274. def get(self, inbound=False):
  275. '''
  276. https://www.w3.org/TR/ldp/#ldpr-HTTP_GET
  277. '''
  278. try:
  279. g = self.gs.out_graph(inbound)
  280. except ResultException:
  281. # RDFlib bug? https://github.com/RDFLib/rdflib/issues/775
  282. raise ResourceNotExistsError()
  283. return Translator.globalize_rsrc(g)
  284. @transactional
  285. def post(self, data, format='text/turtle'):
  286. '''
  287. https://www.w3.org/TR/ldp/#ldpr-HTTP_POST
  288. Perform a POST action after a valid resource URI has been found.
  289. '''
  290. g = Graph()
  291. g.parse(data=data, format=format, publicID=self.urn)
  292. for t in self.base_types:
  293. g.add((self.urn, RDF.type, t))
  294. self.gs.create_rsrc(g)
  295. self._set_containment_rel()
  296. @transactional
  297. def put(self, data, format='text/turtle'):
  298. '''
  299. https://www.w3.org/TR/ldp/#ldpr-HTTP_PUT
  300. '''
  301. g = Graph()
  302. g.parse(data=data, format=format, publicID=self.urn)
  303. for t in self.base_types:
  304. g.add((self.urn, RDF.type, t))
  305. self.gs.create_or_replace_rsrc(g)
  306. self._set_containment_rel()
  307. @transactional
  308. @must_exist
  309. def delete(self):
  310. '''
  311. https://www.w3.org/TR/ldp/#ldpr-HTTP_DELETE
  312. '''
  313. self.gs.delete_rsrc(self.urn)
  314. ## PROTECTED METHODS ##
  315. def _set_containment_rel(self):
  316. '''Find the closest parent in the path indicated by the UUID and
  317. establish a containment triple.
  318. E.g.
  319. - If only urn:fcres:a (short: a) exists:
  320. - If a/b/c/d is being created, a becomes container of a/b/c/d. Also,
  321. pairtree nodes are created for a/b and a/b/c.
  322. - If e is being created, the root node becomes container of e.
  323. '''
  324. if '/' in self.uuid:
  325. # Traverse up the hierarchy to find the parent.
  326. #candidate_parent_urn = self._find_first_ancestor()
  327. #cparent = self.gs.ds.resource(candidate_parent_urn)
  328. cparent_uri = self._find_parent_or_create_pairtree(self.uuid)
  329. # Reroute possible containment relationships between parent and new
  330. # resource.
  331. #self._splice_in(cparent)
  332. if cparent_uri:
  333. self.gs.ds.add((cparent_uri, nsc['ldp'].contains,
  334. self.rsrc.identifier))
  335. else:
  336. self.rsrc.graph.add((nsc['fcsystem'].root, nsc['ldp'].contains,
  337. self.rsrc.identifier))
  338. # If a resource has no parent and should be parent of the new resource,
  339. # add the relationship.
  340. #for child_uri in self.find_lost_children():
  341. # self.rsrc.add(nsc['ldp'].contains, child_uri)
  342. def _find_parent_or_create_pairtree(self, uuid):
  343. '''
  344. Check the path-wise parent of the new resource. If it exists, return
  345. its URI. Otherwise, create pairtree resources up the path until an
  346. actual resource or the root node is found.
  347. @return rdflib.term.URIRef
  348. '''
  349. path_components = uuid.split('/')
  350. if len(path_components) < 2:
  351. return None
  352. # Build search list, e.g. for a/b/c/d/e would be a/b/c/d, a/b/c, a/b, a
  353. self._logger.info('Path components: {}'.format(path_components))
  354. fwd_search_order = accumulate(
  355. list(path_components)[:-1],
  356. func=lambda x,y : x + '/' + y
  357. )
  358. rev_search_order = reversed(list(fwd_search_order))
  359. cur_child_uri = nsc['fcres'][uuid]
  360. for cparent_uuid in rev_search_order:
  361. cparent_uri = nsc['fcres'][cparent_uuid]
  362. # @FIXME A bit ugly. Maybe we should use a Pairtree class.
  363. if self._rdf_store_cls(cparent_uri).ask_rsrc_exists():
  364. return cparent_uri
  365. else:
  366. self._create_pairtree(cparent_uri, cur_child_uri)
  367. cur_child_uri = cparent_uri
  368. return None
  369. #def _find_first_ancestor(self):
  370. # '''
  371. # Find by logic and triplestore queries the first existing resource by
  372. # traversing a path hierarchy upwards.
  373. # @return rdflib.term.URIRef
  374. # '''
  375. # path_components = self.uuid.split('/')
  376. # if len(path_components) < 2:
  377. # return None
  378. # # Build search list, e.g. for a/b/c/d/e would be a/b/c/d, a/b/c, a/b, a
  379. # search_order = accumulate(
  380. # reversed(search_order)[1:],
  381. # func=lambda x,y : x + '/' + y
  382. # )
  383. # for cmp in search_order:
  384. # if self.gs.ask_rsrc_exists(ns['fcres'].cmp):
  385. # return urn
  386. # else:
  387. # self._create_pairtree_node(cmp)
  388. # return None
  389. def _create_pairtree(self, uri, child_uri):
  390. '''
  391. Create a pairtree node with a containment statement.
  392. This is the default fcrepo4 behavior and probably not the best one, but
  393. we are following it here.
  394. If a resource such as `fcres:a/b/c` is created, and neither fcres:a or
  395. fcres:a/b exists, we have to create pairtree nodes in order to maintain
  396. the containment chain.
  397. This way, both fcres:a and fcres:a/b become thus containers of
  398. fcres:a/b/c, which may be confusing.
  399. '''
  400. g = Graph()
  401. g.add((uri, RDF.type, nsc['fedora'].Pairtree))
  402. g.add((uri, RDF.type, nsc['ldp'].Container))
  403. g.add((uri, RDF.type, nsc['ldp'].BasicContainer))
  404. g.add((uri, RDF.type, nsc['ldp'].RDFSource))
  405. g.add((uri, nsc['ldp'].contains, child_uri))
  406. if '/' not in str(uri):
  407. g.add((nsc['fcsystem'].root, nsc['ldp'].contains, uri))
  408. self.gs.create_rsrc(g)
  409. #def _splice_in(self, parent):
  410. # '''
  411. # Insert the new resource between a container and its child.
  412. # If a resource is inserted between two resources that already have a
  413. # containment relationship, e.g. inserting `<a/b>` where
  414. # `<a> ldp:contains <a/b/c>` exists, the existing containment
  415. # relationship must be broken in order to insert the resource in between.
  416. # NOTE: This method only removes the containment relationship between the
  417. # old parent (`<a>` in the example above) and old child (`<a/b/c>`) and
  418. # sets a new one between the new parent and child (`<a/b>` and
  419. # `<a/b/c>`). The relationship between `<a>` and `<a/b>` is set
  420. # separately.
  421. # @param rdflib.resource.Resource parent The parent resource. This
  422. # includes the root node.
  423. # '''
  424. # # For some reason, initBindings (which adds a VALUES statement in the
  425. # # query) does not work **just for `?new`**. `BIND` is necessary along
  426. # # with a format() function.
  427. # q = '''
  428. # SELECT ?child {{
  429. # ?p ldp:contains ?child .
  430. # FILTER ( ?child != <{}> ) .
  431. # FILTER STRSTARTS(str(?child), "{}") .
  432. # }}
  433. # LIMIT 1
  434. # '''.format(self.urn)
  435. # qres = self.rsrc.graph.query(q, initBindings={'p' : parent.identifier})
  436. # if not qres:
  437. # return
  438. # child_urn = qres.next()[0]
  439. # parent.remove(nsc['ldp'].contains, child_urn)
  440. # self.src.add(nsc['ldp'].contains, child_urn)
  441. #def find_lost_children(self):
  442. # '''
  443. # If the parent was created after its children and has to find them!
  444. # '''
  445. # q = '''
  446. # SELECT ?child {
  447. class LdpRs(Ldpr):
  448. '''LDP-RS (LDP RDF source).
  449. Definition: https://www.w3.org/TR/ldp/#ldprs
  450. '''
  451. base_types = {
  452. nsc['ldp'].RDFSource
  453. }
  454. std_headers = {
  455. 'Accept-Post' : {
  456. 'text/turtle',
  457. 'text/rdf+n3',
  458. 'text/n3',
  459. 'application/rdf+xml',
  460. 'application/n-triples',
  461. 'application/ld+json',
  462. 'multipart/form-data',
  463. 'application/sparql-update',
  464. },
  465. 'Accept-Patch' : {
  466. 'application/sparql-update',
  467. },
  468. }
  469. @transactional
  470. @must_exist
  471. def patch(self, data):
  472. '''
  473. https://www.w3.org/TR/ldp/#ldpr-HTTP_PATCH
  474. '''
  475. ts = Literal(arrow.utcnow(), datatype=XSD.dateTime)
  476. self.gs.patch_rsrc(self.urn, data, ts)
  477. self.gs.ds.add((self.urn, nsc['fedora'].lastUpdated, ts))
  478. self.gs.ds.add((self.urn, nsc['fedora'].lastUpdatedBy,
  479. Literal('BypassAdmin')))
  480. class LdpNr(LdpRs):
  481. '''LDP-NR (Non-RDF Source).
  482. Definition: https://www.w3.org/TR/ldp/#ldpnr
  483. '''
  484. pass
  485. class Ldpc(LdpRs):
  486. '''LDPC (LDP Container).'''
  487. def __init__(self, uuid):
  488. super().__init__(uuid)
  489. self.base_types.update({
  490. nsc['ldp'].Container,
  491. })
  492. class LdpBc(Ldpc):
  493. '''LDP-BC (LDP Basic Container).'''
  494. def __init__(self, uuid):
  495. super().__init__(uuid)
  496. self.base_types.update({
  497. nsc['ldp'].BasicContainer,
  498. })
  499. class LdpDc(Ldpc):
  500. '''LDP-DC (LDP Direct Container).'''
  501. def __init__(self, uuid):
  502. super().__init__(uuid)
  503. self.base_types.update({
  504. nsc['ldp'].DirectContainer,
  505. })
  506. class LdpIc(Ldpc):
  507. '''LDP-IC (LDP Indirect Container).'''
  508. def __init__(self, uuid):
  509. super().__init__(uuid)
  510. self.base_types.update({
  511. nsc['ldp'].IndirectContainer,
  512. })