graph.pyx 29 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996
  1. import logging
  2. from functools import wraps
  3. from rdflib import Graph
  4. from rdflib.term import Node
  5. from lakesuperior import env
  6. from libc.stdint cimport uint32_t, uint64_t
  7. from libc.string cimport memcmp, memcpy
  8. from libc.stdlib cimport free
  9. from cymem.cymem cimport Pool
  10. from lakesuperior.cy_include cimport cylmdb as lmdb
  11. from lakesuperior.cy_include cimport collections as cc
  12. from lakesuperior.model.graph cimport term
  13. from lakesuperior.store.ldp_rs.lmdb_triplestore cimport (
  14. KLEN, DBL_KLEN, TRP_KLEN, TripleKey)
  15. from lakesuperior.model.structures.hash cimport term_hash_seed32
  16. from lakesuperior.model.structures.keyset cimport Keyset
  17. from lakesuperior.model.base cimport Buffer
  18. from lakesuperior.model.graph.triple cimport BufferTriple
  19. from lakesuperior.model.structures.hash cimport hash64
  20. cdef extern from 'spookyhash_api.h':
  21. uint64_t spookyhash_64(const void *input, size_t input_size, uint64_t seed)
  22. logger = logging.getLogger(__name__)
  23. def use_data(fn):
  24. """
  25. Decorator to indicate that a set operation between two SimpleGraph
  26. instances should use the ``data`` property of the second term. The second
  27. term can also be a simple set.
  28. """
  29. @wraps(fn)
  30. def _wrapper(self, other):
  31. if isinstance(other, SimpleGraph):
  32. other = other.data
  33. return _wrapper
  34. cdef int term_cmp_fn(const void* key1, const void* key2):
  35. """
  36. Compare function for two Buffer objects.
  37. :rtype: int
  38. :return: 0 if the byte streams are the same, another integer otherwise.
  39. """
  40. b1 = <Buffer *>key1
  41. b2 = <Buffer *>key2
  42. if b1.sz != b2.sz:
  43. logger.info(f'Sizes differ: {b1.sz} != {b2.sz}. Return 1.')
  44. return 1
  45. cdef int cmp = memcmp(b1.addr, b2.addr, b1.sz)
  46. logger.info(f'term memcmp: {cmp}')
  47. return cmp
  48. cdef int trp_cmp_fn(const void* key1, const void* key2):
  49. """
  50. Compare function for two triples in a set.
  51. Here, pointers to terms are compared for s, p, o. The pointers should be
  52. guaranteed to point to unique values (i.e. no two pointers have the same
  53. term value within a graph).
  54. :rtype: int
  55. :return: 0 if the addresses of all terms are the same, 1 otherwise.
  56. """
  57. t1 = <BufferTriple *>key1
  58. t2 = <BufferTriple *>key2
  59. print('Comparing: <0x{:02x}> <0x{:02x}> <0x{:02x}>'.format(
  60. <unsigned long>t1.s, <unsigned long>t1.p, <unsigned long>t1.o))
  61. print('With: <0x{:02x}> <0x{:02x}> <0x{:02x}>'.format(
  62. <unsigned long>t2.s, <unsigned long>t2.p, <unsigned long>t2.o))
  63. cdef int is_not_equal = (
  64. t1.s.addr != t2.s.addr or
  65. t1.p.addr != t2.p.addr or
  66. t1.o.addr != t2.o.addr
  67. )
  68. logger.info(f'Triples are NOT equal and will be added: {is_not_equal}')
  69. return is_not_equal
  70. cdef bint graph_eq_fn(SimpleGraph g1, SimpleGraph g2):
  71. """
  72. Compare 2 graphs for equality.
  73. Note that this returns the opposite value than the triple and term
  74. compare functions: 1 (True) if equal, 0 (False) if not.
  75. """
  76. cdef:
  77. void* el
  78. cc.HashSetIter it
  79. cc.hashset_iter_init(&it, g1._triples)
  80. while cc.hashset_iter_next(&it, &el) != cc.CC_ITER_END:
  81. if cc.hashset_contains(g2._triples, el):
  82. return False
  83. return True
  84. cdef size_t term_hash_fn(const void* key, int l, uint32_t seed):
  85. """
  86. Hash function for serialized terms (:py:class:`Buffer` objects)
  87. """
  88. return <size_t>spookyhash_64((<Buffer*>key).addr, (<Buffer*>key).sz, seed)
  89. cdef size_t trp_hash_fn(const void* key, int l, uint32_t seed):
  90. """
  91. Hash function for sets of (serialized) triples.
  92. This function computes the hash of the concatenated pointer values in the
  93. s, p, o members of the triple. The triple structure is treated as a byte
  94. string. This is safe in spite of byte-wise struct evaluation being a
  95. frowned-upon practice (due to padding issues), because it is assumed that
  96. the input value is always the same type of structure.
  97. """
  98. return <size_t>spookyhash_64(key, l, seed)
  99. cdef size_t hash_ptr_passthrough(const void* key, int l, uint32_t seed):
  100. """
  101. No-op function that takes a pointer and does *not* hash it.
  102. The pointer value is used as the "hash".
  103. """
  104. return <size_t>key
  105. cdef inline bint lookup_none_cmp_fn(
  106. const BufferTriple *trp, const Buffer *t1, const Buffer *t2
  107. ):
  108. """
  109. Dummy callback for queries with all parameters unbound.
  110. This function always returns ``True``
  111. """
  112. return True
  113. cdef inline bint lookup_s_cmp_fn(
  114. const BufferTriple *trp, const Buffer *t1, const Buffer *t2
  115. ):
  116. """
  117. Lookup callback compare function for a given s in a triple.
  118. The function returns ``True`` if ``t1`` matches the first term.
  119. ``t2`` is not used and is declared only for compatibility with the
  120. other interchangeable functions.
  121. """
  122. return term_cmp_fn(t1, trp[0].s)
  123. cdef inline bint lookup_p_cmp_fn(
  124. const BufferTriple *trp, const Buffer *t1, const Buffer *t2
  125. ):
  126. return term_cmp_fn(t1, trp[0].p)
  127. cdef inline bint lookup_o_cmp_fn(
  128. const BufferTriple *trp, const Buffer *t1, const Buffer *t2
  129. ):
  130. return term_cmp_fn(t1, trp[0].o)
  131. cdef inline bint lookup_sp_cmp_fn(
  132. const BufferTriple *trp, const Buffer *t1, const Buffer *t2
  133. ):
  134. return (
  135. term_cmp_fn(t1, trp[0].s)
  136. and term_cmp_fn(t2, trp[0].p))
  137. cdef inline bint lookup_so_cmp_fn(
  138. const BufferTriple *trp, const Buffer *t1, const Buffer *t2
  139. ):
  140. return (
  141. term_cmp_fn(t1, trp[0].s)
  142. and term_cmp_fn(t2, trp[0].o))
  143. cdef inline bint lookup_po_cmp_fn(
  144. const BufferTriple *trp, const Buffer *t1, const Buffer *t2
  145. ):
  146. return (
  147. term_cmp_fn(t1, trp[0].p)
  148. and term_cmp_fn(t2, trp[0].o))
  149. cdef class SimpleGraph:
  150. """
  151. Fast and simple implementation of a graph.
  152. Most functions should mimic RDFLib's graph with less overhead. It uses
  153. the same funny but functional slicing notation. No lookup functions within
  154. the graph are available at this time.
  155. Instances of this class hold a set of
  156. :py:class:`~lakesuperior.store.ldp_rs.term.Term` structures that stores
  157. unique terms within the graph, and a set of
  158. :py:class:`~lakesuperior.store.ldp_rs.triple.Triple` structures referencing
  159. those terms. Therefore, no data duplication occurs and the storage is quite
  160. sparse.
  161. A graph can be instantiated from a store lookup.
  162. A SimpleGraph can also be obtained from a
  163. :py:class:`lakesuperior.store.keyset.Keyset` which is convenient bacause
  164. a Keyset can be obtained very efficiently from querying a store, then also
  165. very efficiently filtered and eventually converted into a set of meaningful
  166. terms.
  167. An instance of this class can also be converted to and from a
  168. ``rdflib.Graph`` instance. TODO verify that this frees Cython pointers.
  169. """
  170. def __cinit__(
  171. self, Keyset keyset=None, store=None, set data=set(), *args, **kwargs):
  172. """
  173. Initialize the graph with pre-existing data or by looking up a store.
  174. One of ``keyset``, or ``data`` can be provided. If more than
  175. one of these is provided, precedence is given in the mentioned order.
  176. If none of them is specified, an empty graph is initialized.
  177. :param rdflib.URIRef uri: The graph URI.
  178. This will serve as the subject for some queries.
  179. :param Keyset keyset: Keyset to create the graph from. Keys will be
  180. converted to set elements.
  181. :param lakesuperior.store.ldp_rs.LmdbTripleStore store: store to
  182. look up the keyset. Only used if ``keyset`` is specified. If not
  183. set, the environment store is used.
  184. :param set data: Initial data as a set of 3-tuples of RDFLib terms.
  185. :param tuple lookup: tuple of a 3-tuple of lookup terms, and a context.
  186. E.g. ``((URIRef('urn:ns:a'), None, None), URIRef('urn:ns:ctx'))``.
  187. Any and all elements may be ``None``.
  188. :param lmdbStore store: the store to look data up.
  189. """
  190. cdef:
  191. cc.HashSetConf terms_conf, trp_conf
  192. self.term_cmp_fn = &term_cmp_fn
  193. self.trp_cmp_fn = &trp_cmp_fn
  194. cc.hashset_conf_init(&terms_conf)
  195. terms_conf.load_factor = 0.85
  196. terms_conf.hash = &term_hash_fn
  197. terms_conf.hash_seed = term_hash_seed32
  198. terms_conf.key_compare = self.term_cmp_fn
  199. terms_conf.key_length = sizeof(Buffer*)
  200. cc.hashset_conf_init(&trp_conf)
  201. trp_conf.load_factor = 0.75
  202. trp_conf.hash = &trp_hash_fn
  203. trp_conf.hash_seed = term_hash_seed32
  204. trp_conf.key_compare = self.trp_cmp_fn
  205. trp_conf.key_length = sizeof(BufferTriple)
  206. cc.hashset_new_conf(&terms_conf, &self._terms)
  207. cc.hashset_new_conf(&trp_conf, &self._triples)
  208. self.store = store or env.app_globals.rdf_store
  209. self._pool = Pool()
  210. # Initialize empty data set.
  211. if keyset:
  212. # Populate with triples extracted from provided key set.
  213. self._data_from_keyset(keyset)
  214. elif data:
  215. # Populate with provided Python set.
  216. self.add(data)
  217. print(len(self))
  218. print('SimpleGraph cinit complete.')
  219. def __dealloc__(self):
  220. """
  221. Free the triple pointers. TODO use a Cymem pool
  222. """
  223. free(self._triples)
  224. free(self._terms)
  225. @property
  226. def data(self):
  227. """
  228. Triple data as a Python set.
  229. :rtype: set
  230. """
  231. return self._to_pyset()
  232. # # # BASIC SET OPERATIONS # # #
  233. cpdef SimpleGraph union(self, SimpleGraph other):
  234. """
  235. Perform set union resulting in a new SimpleGraph instance.
  236. TODO Allow union of multiple graphs at a time.
  237. :param SimpleGraph other: The other graph to merge.
  238. :rtype: SimpleGraph
  239. :return: A new SimpleGraph instance.
  240. """
  241. cdef:
  242. void *cur
  243. cc.HashSetIter it
  244. SimpleGraph new_gr = SimpleGraph()
  245. BufferTriple *trp
  246. new_gr.store = self.store
  247. for gr in (self, other):
  248. cc.hashset_iter_init(&it, gr._triples)
  249. while cc.hashset_iter_next(&it, &cur) != cc.CC_ITER_END:
  250. bt = <BufferTriple*>cur
  251. new_gr._add_triple(bt.s, bt.p, bt.o)
  252. return new_gr
  253. cpdef void ip_union(self, SimpleGraph other) except *:
  254. """
  255. Perform an in-place set union that adds triples to this instance
  256. TODO Allow union of multiple graphs at a time.
  257. :param SimpleGraph other: The other graph to merge.
  258. :rtype: void
  259. """
  260. cdef:
  261. void *cur
  262. cc.HashSetIter it
  263. BufferTriple *trp
  264. cc.hashset_iter_init(&it, other._triples)
  265. while cc.hashset_iter_next(&it, &cur) != cc.CC_ITER_END:
  266. bt = <BufferTriple*>cur
  267. self._add_triple(bt.s, bt.p, bt.o)
  268. cdef void _data_from_lookup(self, tuple trp_ptn, ctx=None) except *:
  269. """
  270. Look up triples in the triplestore and load them into ``data``.
  271. :param tuple lookup: 3-tuple of RDFlib terms or ``None``.
  272. :param LmdbTriplestore store: Reference to a LMDB triplestore. This
  273. is normally set to ``lakesuperior.env.app_globals.rdf_store``.
  274. """
  275. cdef:
  276. size_t i
  277. unsigned char spok[TRP_KLEN]
  278. with self.store.txn_ctx():
  279. keyset = self.store.triple_keys(trp_ptn, ctx)
  280. self.data_from_keyset(keyset)
  281. cdef void _data_from_keyset(self, Keyset data) except *:
  282. """Populate a graph from a Keyset."""
  283. cdef TripleKey spok
  284. while data.next(spok):
  285. self._add_from_spok(spok)
  286. cdef inline void _add_from_spok(self, TripleKey spok) except *:
  287. """
  288. Add a triple from a TripleKey of term keys.
  289. """
  290. cdef:
  291. SPOBuffer s_spo
  292. BufferTriple trp
  293. s_spo = <SPOBuffer>self._pool.alloc(3, sizeof(Buffer))
  294. self.store.lookup_term(spok, s_spo)
  295. self.store.lookup_term(spok + KLEN, s_spo + 1)
  296. self.store.lookup_term(spok + DBL_KLEN, s_spo + 2)
  297. self._add_triple(s_spo, s_spo + 1, s_spo + 2)
  298. cdef inline void _add_triple(
  299. self, BufferPtr ss, BufferPtr sp, BufferPtr so
  300. ) except *:
  301. """
  302. Add a triple from 3 (TPL) serialized terms.
  303. Each of the terms is added to the term set if not existing. The triple
  304. also is only added if not existing.
  305. """
  306. trp = <BufferTriple *>self._pool.alloc(1, sizeof(BufferTriple))
  307. logger.info('Inserting terms.')
  308. logger.info(f'ss addr: 0x{<size_t>ss.addr:02x}')
  309. logger.info(f'ss sz: {ss.sz}')
  310. #logger.info('ss:')
  311. #logger.info((<unsigned char *>ss.addr)[:ss.sz])
  312. #print('Insert ss: @0x{:02x}'.format(<unsigned long>ss))
  313. cc.hashset_add_or_get(self._terms, <void **>&ss)
  314. #print('Now ss is: @0x{:02x}'.format(<unsigned long>ss))
  315. #print('Insert sp: @0x{:02x}'.format(<unsigned long>sp))
  316. cc.hashset_add_or_get(self._terms, <void **>&sp)
  317. #print('Now sp is: @0x{:02x}'.format(<unsigned long>sp))
  318. #print('Insert so: @0x{:02x}'.format(<unsigned long>so))
  319. cc.hashset_add_or_get(self._terms, <void **>&so)
  320. #print('Now so is: @0x{:02x}'.format(<unsigned long>so))
  321. logger.info('inserted terms.')
  322. cdef size_t terms_sz = cc.hashset_size(self._terms)
  323. logger.info(f'Terms set size: {terms_sz}')
  324. trp.s = ss
  325. trp.p = sp
  326. trp.o = so
  327. cdef size_t trp_sz = cc.hashset_size(self._triples)
  328. logger.info(f'Triples set size before adding: {trp_sz}')
  329. r = cc.hashset_add(self._triples, trp)
  330. #print('Insert triple result:')
  331. #print(r)
  332. trp_sz = cc.hashset_size(self._triples)
  333. logger.info(f'Triples set size after adding: {trp_sz}')
  334. cdef:
  335. cc.HashSetIter ti
  336. BufferTriple *test_trp
  337. void *cur
  338. cc.hashset_iter_init(&ti, self._triples)
  339. while cc.hashset_iter_next(&ti, &cur) != cc.CC_ITER_END:
  340. test_trp = <BufferTriple *>cur
  341. print('Triple in set: 0x{:02x} 0x{:02x} 0x{:02x}'.format(
  342. <size_t>test_trp.s, <size_t>test_trp.p, <size_t>test_trp.o))
  343. cdef int _remove_triple(self, BufferTriple* trp_buf) except -1:
  344. """
  345. Remove one triple from the graph.
  346. """
  347. cdef:
  348. cc.HashSetIter ti
  349. void* cur
  350. if (
  351. cc.hashset_get(
  352. self._terms, <void**>&(trp_buf.o)
  353. ) == cc.CC_ERR_KEY_NOT_FOUND or
  354. cc.hashset_get(
  355. self._terms, <void**>&(trp_buf.s)
  356. ) == cc.CC_ERR_KEY_NOT_FOUND or
  357. cc.hashset_get(
  358. self._terms, <void**>&(trp_buf.p)
  359. ) == cc.CC_ERR_KEY_NOT_FOUND
  360. ):
  361. return cc.CC_ERR_KEY_NOT_FOUND
  362. return cc.hashset_remove(self._triples, trp_buf, NULL)
  363. cdef bint _trp_contains(self, BufferTriple* btrp):
  364. cdef:
  365. cc.HashSetIter it
  366. void* cur
  367. # First check if any term is not in the set.
  368. # Also assign addresses of terms in set with matching input terms.
  369. if (
  370. # Starting with o which is most likely to be missing.
  371. cc.hashset_get(
  372. self._terms, <void**>&(btrp.o)
  373. ) == cc.CC_ERR_KEY_NOT_FOUND or
  374. cc.hashset_get(
  375. self._terms, <void**>&(btrp.s)
  376. ) == cc.CC_ERR_KEY_NOT_FOUND or
  377. cc.hashset_get(
  378. self._terms, <void**>&(btrp.p)
  379. ) == cc.CC_ERR_KEY_NOT_FOUND
  380. ):
  381. return False
  382. cc.hashset_iter_init(&it, self._triples)
  383. while cc.hashset_iter_next(&it, &cur) != cc.CC_ITER_END:
  384. if self.trp_cmp_fn(cur, btrp) == 0:
  385. return True
  386. return False
  387. cdef set _to_pyset(self):
  388. """
  389. Convert triple data to a Python set.
  390. :rtype: set
  391. """
  392. cdef:
  393. void *void_p
  394. cc.HashSetIter ti
  395. BufferTriple *trp
  396. term.Term s, p, o
  397. graph_set = set()
  398. cc.hashset_iter_init(&ti, self._triples)
  399. while cc.hashset_iter_next(&ti, &void_p) == cc.CC_OK:
  400. if void_p == NULL:
  401. logger.warn('Triple is NULL!')
  402. break
  403. trp = <BufferTriple *>void_p
  404. graph_set.add((
  405. term.deserialize_to_rdflib(trp.s),
  406. term.deserialize_to_rdflib(trp.p),
  407. term.deserialize_to_rdflib(trp.o),
  408. ))
  409. return graph_set
  410. # Basic set operations.
  411. def add(self, trp):
  412. """
  413. Add triples to the graph.
  414. :param iterable triples: Set, list or tuple of 3-tuple triples.
  415. """
  416. cdef size_t cur = 0
  417. trp_ct = len(trp)
  418. trp_buf = <Buffer *>self._pool.alloc(3 * trp_ct, sizeof(Buffer))
  419. for s, p, o in trp:
  420. term.serialize_from_rdflib(s, trp_buf + cur, self._pool)
  421. term.serialize_from_rdflib(p, trp_buf + cur + 1, self._pool)
  422. term.serialize_from_rdflib(o, trp_buf + cur + 2, self._pool)
  423. self._add_triple(
  424. trp_buf + cur,
  425. trp_buf + cur + 1,
  426. trp_buf + cur + 2
  427. )
  428. cur += 3
  429. def len_terms(self):
  430. """ Number of triples in the graph. """
  431. return cc.hashset_size(self._terms)
  432. def remove(self, trp):
  433. """
  434. Remove one item from the graph.
  435. :param tuple item: A 3-tuple of RDFlib terms. Only exact terms, i.e.
  436. wildcards are not accepted.
  437. """
  438. cdef:
  439. Buffer ss, sp, so
  440. BufferTriple trp_buf
  441. term.serialize_from_rdflib(trp[0], &ss, self._pool)
  442. term.serialize_from_rdflib(trp[1], &sp, self._pool)
  443. term.serialize_from_rdflib(trp[2], &so, self._pool)
  444. trp_buf.s = &ss
  445. trp_buf.p = &sp
  446. trp_buf.o = &so
  447. self._remove_triple(&trp_buf)
  448. def __len__(self):
  449. """ Number of triples in the graph. """
  450. return cc.hashset_size(self._triples)
  451. @use_data
  452. def __eq__(self, other):
  453. """ Equality operator between ``SimpleGraph`` instances. """
  454. return graph_eq_fn(self, other)
  455. def __repr__(self):
  456. """
  457. String representation of the graph.
  458. It provides the number of triples in the graph and memory address of
  459. the instance.
  460. """
  461. return (f'<{self.__class__.__name__} @{hex(id(self))} '
  462. f'length={len(self.data)}>')
  463. def __str__(self):
  464. """ String dump of the graph triples. """
  465. return str(self.data)
  466. def __sub__(self, other):
  467. """ Set subtraction. """
  468. return self.subtract(other)
  469. def __isub__(self, other):
  470. """ In-place set subtraction. """
  471. self.ip_subtract(other)
  472. return self
  473. def __and__(self, other):
  474. """ Set intersection. """
  475. return self.intersect(other)
  476. def __iand__(self, other):
  477. """ In-place set intersection. """
  478. self.ip_intersect(other)
  479. return self
  480. def __or__(self, other):
  481. """ Set union. """
  482. return self.union(other)
  483. def __ior__(self, other):
  484. """ In-place set union. """
  485. self.ip_union(other)
  486. return self
  487. def __xor__(self, other):
  488. """ Set exclusive intersection (XOR). """
  489. return self.xintersect(other)
  490. def __ixor__(self, other):
  491. """ In-place set exclusive intersection (XOR). """
  492. self.ip_xintersect(other)
  493. return self
  494. def __contains__(self, trp):
  495. """
  496. Whether the graph contains a triple.
  497. :rtype: boolean
  498. """
  499. cdef:
  500. Buffer ss, sp, so
  501. BufferTriple btrp
  502. btrp.s = &ss
  503. btrp.p = &sp
  504. btrp.o = &so
  505. s, p, o = trp
  506. term.serialize_from_rdflib(s, &ss)
  507. term.serialize_from_rdflib(p, &sp)
  508. term.serialize_from_rdflib(o, &so)
  509. return self._trp_contains(&btrp)
  510. def __iter__(self):
  511. """ Graph iterator. It iterates over the set triples. """
  512. raise NotImplementedError()
  513. # Slicing.
  514. def __getitem__(self, item):
  515. """
  516. Slicing function.
  517. It behaves similarly to `RDFLib graph slicing
  518. <https://rdflib.readthedocs.io/en/stable/utilities.html#slicing-graphs>`__
  519. """
  520. if isinstance(item, slice):
  521. s, p, o = item.start, item.stop, item.step
  522. return self._slice(s, p, o)
  523. else:
  524. raise TypeError(f'Wrong slice format: {item}.')
  525. cpdef void set(self, tuple trp) except *:
  526. """
  527. Set a single value for subject and predicate.
  528. Remove all triples matching ``s`` and ``p`` before adding ``s p o``.
  529. """
  530. if None in trp:
  531. raise ValueError(f'Invalid triple: {trp}')
  532. self.remove_triples((trp[0], trp[1], None))
  533. self.add((trp,))
  534. cpdef void remove_triples(self, pattern) except *:
  535. """
  536. Remove triples by pattern.
  537. The pattern used is similar to :py:meth:`LmdbTripleStore.delete`.
  538. """
  539. s, p, o = pattern
  540. for match in self.lookup(s, p, o):
  541. logger.debug(f'Removing from graph: {match}.')
  542. self.data.remove(match)
  543. cpdef object as_rdflib(self):
  544. """
  545. Return the data set as an RDFLib Graph.
  546. :rtype: rdflib.Graph
  547. """
  548. gr = Graph()
  549. for trp in self.data:
  550. gr.add(trp)
  551. return gr
  552. def _slice(self, s, p, o):
  553. """
  554. Return terms filtered by other terms.
  555. This behaves like the rdflib.Graph slicing policy.
  556. """
  557. _data = self.data
  558. logger.debug(f'Slicing graph by: {s}, {p}, {o}.')
  559. if s is None and p is None and o is None:
  560. return _data
  561. elif s is None and p is None:
  562. return {(r[0], r[1]) for r in _data if r[2] == o}
  563. elif s is None and o is None:
  564. return {(r[0], r[2]) for r in _data if r[1] == p}
  565. elif p is None and o is None:
  566. return {(r[1], r[2]) for r in _data if r[0] == s}
  567. elif s is None:
  568. return {r[0] for r in _data if r[1] == p and r[2] == o}
  569. elif p is None:
  570. return {r[1] for r in _data if r[0] == s and r[2] == o}
  571. elif o is None:
  572. return {r[2] for r in _data if r[0] == s and r[1] == p}
  573. else:
  574. # all given
  575. return (s,p,o) in _data
  576. def lookup(self, s, p, o):
  577. """
  578. Look up triples by a pattern.
  579. This function converts RDFLib terms into the serialized format stored
  580. in the graph's internal structure and compares them bytewise.
  581. Any and all of the lookup terms can be ``None``.
  582. """
  583. cdef:
  584. void *void_p
  585. BufferTriple trp
  586. BufferTriple *trp_p
  587. cc.HashSetIter ti
  588. Buffer t1
  589. Buffer t2
  590. lookup_fn_t fn
  591. res = set()
  592. # Decide comparison logic outside the loop.
  593. if s is not None and p is not None and o is not None:
  594. # Return immediately if 3-term match is requested.
  595. term.serialize_from_rdflib(s, trp.s, self._pool)
  596. term.serialize_from_rdflib(p, trp.p, self._pool)
  597. term.serialize_from_rdflib(o, trp.o, self._pool)
  598. if cc.hashset_contains(self._triples, &trp):
  599. res.add((s, p, o))
  600. return res
  601. elif s is not None:
  602. term.serialize_from_rdflib(s, &t1)
  603. if p is not None:
  604. fn = lookup_sp_cmp_fn
  605. term.serialize_from_rdflib(p, &t2)
  606. elif o is not None:
  607. fn = lookup_so_cmp_fn
  608. term.serialize_from_rdflib(o, &t2)
  609. else:
  610. fn = lookup_s_cmp_fn
  611. elif p is not None:
  612. term.serialize_from_rdflib(p, &t1)
  613. if o is not None:
  614. fn = lookup_po_cmp_fn
  615. term.serialize_from_rdflib(o, &t2)
  616. else:
  617. fn = lookup_p_cmp_fn
  618. elif o is not None:
  619. fn = lookup_o_cmp_fn
  620. term.serialize_from_rdflib(o, &t1)
  621. else:
  622. fn = lookup_none_cmp_fn
  623. # Iterate over serialized triples.
  624. cc.hashset_iter_init(&ti, self._triples)
  625. while cc.hashset_iter_next(&ti, &void_p) != cc.CC_ITER_END:
  626. if void_p == NULL:
  627. trp_p = <BufferTriple *>void_p
  628. res.add((
  629. term.deserialize_to_rdflib(trp_p[0].s),
  630. term.deserialize_to_rdflib(trp_p[0].p),
  631. term.deserialize_to_rdflib(trp_p[0].o),
  632. ))
  633. return res
  634. cpdef set terms(self, str type):
  635. """
  636. Get all terms of a type: subject, predicate or object.
  637. :param str type: One of ``s``, ``p`` or ``o``.
  638. """
  639. i = 'spo'.index(type)
  640. return {r[i] for r in self.data}
  641. cdef class Imr(SimpleGraph):
  642. """
  643. In-memory resource data container.
  644. This is an extension of :py:class:`~SimpleGraph` that adds a subject URI to
  645. the data set and some convenience methods.
  646. An instance of this class can be converted to a ``rdflib.Resource``
  647. instance.
  648. Some set operations that produce a new object (``-``, ``|``, ``&``, ``^``)
  649. will create a new ``Imr`` instance with the same subject URI.
  650. """
  651. def __init__(self, uri, *args, **kwargs):
  652. """
  653. Initialize the graph with pre-existing data or by looking up a store.
  654. Either ``data``, or ``lookup`` *and* ``store``, can be provide.
  655. ``lookup`` and ``store`` have precedence. If none of them is specified,
  656. an empty graph is initialized.
  657. :param rdflib.URIRef uri: The graph URI.
  658. This will serve as the subject for some queries.
  659. :param set data: Initial data as a set of 3-tuples of RDFLib terms.
  660. :param tuple lookup: tuple of a 3-tuple of lookup terms, and a context.
  661. E.g. ``((URIRef('urn:ns:a'), None, None), URIRef('urn:ns:ctx'))``.
  662. Any and all elements may be ``None``.
  663. :param lmdbStore store: the store to look data up.
  664. """
  665. print(len(self))
  666. self.uri = str(uri)
  667. @property
  668. def identifier(self):
  669. """
  670. IMR URI. For compatibility with RDFLib Resource.
  671. :rtype: string
  672. """
  673. return self.uri
  674. @property
  675. def graph(self):
  676. """
  677. Return a SimpleGraph with the same data.
  678. :rtype: SimpleGraph
  679. """
  680. return SimpleGraph(self.data)
  681. def __repr__(self):
  682. """
  683. String representation of an Imr.
  684. This includes the subject URI, number of triples contained and the
  685. memory address of the instance.
  686. """
  687. return (f'<{self.__class__.__name__} @{hex(id(self))} uri={self.uri}, '
  688. f'length={len(self.data)}>')
  689. @use_data
  690. def __sub__(self, other):
  691. """
  692. Set difference. This creates a new Imr with the same subject URI.
  693. """
  694. return self.__class__(uri=self.uri, data=self.data - other)
  695. @use_data
  696. def __and__(self, other):
  697. """
  698. Set intersection. This creates a new Imr with the same subject URI.
  699. """
  700. return self.__class__(uri=self.uri, data=self.data & other)
  701. @use_data
  702. def __or__(self, other):
  703. """
  704. Set union. This creates a new Imr with the same subject URI.
  705. """
  706. return self.__class__(uri=self.uri, data=self.data | other)
  707. @use_data
  708. def __xor__(self, other):
  709. """
  710. Set exclusive OR (XOR). This creates a new Imr with the same subject
  711. URI.
  712. """
  713. return self.__class__(uri=self.uri, data=self.data ^ other)
  714. def __getitem__(self, item):
  715. """
  716. Supports slicing notation.
  717. """
  718. if isinstance(item, slice):
  719. s, p, o = item.start, item.stop, item.step
  720. return self._slice(s, p, o)
  721. elif isinstance(item, Node):
  722. # If a Node is given, return all values for that predicate.
  723. return {
  724. r[2] for r in self.data
  725. if r[0] == self.uri and r[1] == item}
  726. else:
  727. raise TypeError(f'Wrong slice format: {item}.')
  728. def value(self, p, strict=False):
  729. """
  730. Get an individual value.
  731. :param rdflib.termNode p: Predicate to search for.
  732. :param bool strict: If set to ``True`` the method raises an error if
  733. more than one value is found. If ``False`` (the default) only
  734. the first found result is returned.
  735. :rtype: rdflib.term.Node
  736. """
  737. values = self[p]
  738. if strict and len(values) > 1:
  739. raise RuntimeError('More than one value found for {}, {}.'.format(
  740. self.uri, p))
  741. for ret in values:
  742. return ret
  743. return None
  744. cpdef as_rdflib(self):
  745. """
  746. Return the IMR as a RDFLib Resource.
  747. :rtype: rdflib.Resource
  748. """
  749. gr = Graph()
  750. for trp in self.data:
  751. gr.add(trp)
  752. return gr.resource(identifier=self.uri)