keyset.pyx 9.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368
  1. import logging
  2. from libc.string cimport memcmp, memcpy
  3. from cpython.mem cimport PyMem_Malloc, PyMem_Realloc, PyMem_Free
  4. from cython.parallel import prange
  5. cimport lakesuperior.model.callbacks as cb
  6. from lakesuperior.model.base cimport NULL_TRP, TRP_KLEN, TripleKey
  7. logger = logging.getLogger(__name__)
  8. cdef class Keyset:
  9. """
  10. Pre-allocated set of ``TripleKey``s.
  11. The set is not checked for duplicates all the time: e.g., when creating
  12. from a single set of triples coming from the store, the duplicate check
  13. is turned off for efficiency. When merging with other sets, duplicate
  14. checking should be turned on.
  15. Since this class is based on a contiguous block of memory, it is best to
  16. do very little manipulation. Several operations involve copying the whole
  17. data block, so e.g. bulk removal and intersection are much more efficient
  18. than individual record operations.
  19. """
  20. def __cinit__(self, size_t capacity=0, expand_ratio=.75):
  21. """
  22. Initialize and allocate memory for the data set.
  23. :param size_t capacity: Number of elements to be accounted for.
  24. """
  25. self.capacity = capacity
  26. self.expand_ratio = expand_ratio
  27. self.data = <TripleKey*>PyMem_Malloc(self.capacity * TRP_KLEN)
  28. if capacity and not self.data:
  29. raise MemoryError('Error allocating Keyset data.')
  30. self.cur = 0
  31. self.free_i = 0
  32. def __dealloc__(self):
  33. """
  34. Free the memory.
  35. This is called when the Python instance is garbage collected, which
  36. makes it handy to safely pass a Keyset instance across functions.
  37. """
  38. PyMem_Free(self.data)
  39. # Access methods.
  40. cdef void seek(self, size_t idx=0):
  41. """
  42. Place the cursor at a certain index, 0 by default.
  43. """
  44. self.cur = idx
  45. cdef size_t size(self):
  46. """
  47. Size of the object as the number of occupied data slots.
  48. Note that this is different from :py:data:`capacity`_, which indicates
  49. the number of allocated items in memory.
  50. """
  51. return self.free_i
  52. cdef size_t tell(self):
  53. """
  54. Tell the position of the cursor in the keyset.
  55. """
  56. return self.cur
  57. cdef inline bint get_next(self, TripleKey* val):
  58. """
  59. Get the current value and advance the cursor by 1.
  60. :param void *val: Addres of value returned. It is NULL if
  61. the end of the buffer was reached.
  62. :rtype: bint
  63. :return: True if a value was found, False if the end of the buffer
  64. has been reached.
  65. """
  66. if self.cur >= self.free_i:
  67. return False
  68. val[0] = self.data[self.cur]
  69. self.cur += 1
  70. return True
  71. cdef inline int add(
  72. self, const TripleKey* val, bint check_dup=False,
  73. bint check_cap=True
  74. ) except -1:
  75. """
  76. Add a triple key to the array.
  77. """
  78. # Check for deleted triples and optionally duplicates.
  79. if check_dup and self.contains(val):
  80. return 1
  81. if check_cap and self.free_i >= self.capacity:
  82. if self.expand_ratio > 0:
  83. # In some edge casees, a very small ratio may round down to a
  84. # zero increase, so the baseline increase is 1 element.
  85. self.resize(1 + <size_t>(self.capacity * (1 + self.expand_ratio)))
  86. else:
  87. raise MemoryError('No space left in key set.')
  88. self.data[self.free_i] = val[0]
  89. self.free_i += 1
  90. return 0
  91. cdef void remove(self, const TripleKey* val) except *:
  92. """
  93. Remove a triple key.
  94. This method replaces a triple with NULL_TRP if found. It
  95. does not reclaim space. Therefore, if many removal operations are
  96. forseen, using :py:meth:`subtract`_ is advised.
  97. """
  98. cdef:
  99. TripleKey stored_val
  100. self.seek()
  101. while self.get_next(&stored_val):
  102. #logger.info(f'Looking up for removal: {stored_val}')
  103. if memcmp(val, stored_val, TRP_KLEN) == 0:
  104. memcpy(&stored_val, NULL_TRP, TRP_KLEN)
  105. return
  106. cdef bint contains(self, const TripleKey* val):
  107. """
  108. Whether a value exists in the set.
  109. """
  110. cdef size_t i
  111. for i in range(self.free_i):
  112. # o is least likely to match.
  113. if (
  114. val[0][2] == self.data[i][2] and
  115. val[0][0] == self.data[i][0] and
  116. val[0][1] == self.data[i][1]
  117. ):
  118. return True
  119. return False
  120. cdef Keyset copy(self):
  121. """
  122. Copy a Keyset.
  123. """
  124. cdef Keyset new_ks = Keyset(
  125. self.capacity, expand_ratio=self.expand_ratio
  126. )
  127. memcpy(new_ks.data, self.data, self.capacity * TRP_KLEN)
  128. new_ks.seek()
  129. new_ks.free_i = self.free_i
  130. return new_ks
  131. cdef Keyset sparse_copy(self):
  132. """
  133. Copy a Keyset and plug holes.
  134. ``NULL_TRP`` values left from removing triple keys are skipped in the
  135. copy and the set is shrunk to its used size.
  136. """
  137. cdef:
  138. TripleKey val
  139. Keyset new_ks = Keyset(self.capacity, self.expand_ratio)
  140. self.seek()
  141. while self.get_next(&val):
  142. if val != NULL_TRP:
  143. new_ks.add(&val)
  144. new_ks.resize()
  145. return new_ks
  146. cdef void resize(self, size_t size=0) except *:
  147. """
  148. Change the array capacity.
  149. :param size_t size: The new capacity size. If not specified or 0, the
  150. array is shrunk to the last used item. The resulting size
  151. therefore will always be greater than 0. The only exception
  152. to this is if the specified size is 0 and no items have been added
  153. to the array, in which case the array will be effectively shrunk
  154. to 0.
  155. """
  156. if not size:
  157. size = self.free_i
  158. tmp = <TripleKey*>PyMem_Realloc(self.data, size * TRP_KLEN)
  159. if not tmp:
  160. raise MemoryError('Could not reallocate Keyset data.')
  161. self.data = tmp
  162. self.capacity = size
  163. self.seek()
  164. cdef Keyset lookup(self, const Key sk, const Key pk, const Key ok):
  165. """
  166. Look up triple keys.
  167. This works in a similar way that the ``Graph`` and ``LmdbStore``
  168. methods work.
  169. Any and all the terms may be NULL. A NULL term is treated as unbound.
  170. :param const Key* sk: s key pointer.
  171. :param const Key* pk: p key pointer.
  172. :param const Key* ok: o key pointer.
  173. """
  174. cdef:
  175. TripleKey spok
  176. Keyset ret = Keyset(self.capacity)
  177. Key k1, k2
  178. key_cmp_fn_t cmp_fn
  179. if sk and pk and ok: # s p o
  180. pass # TODO
  181. elif sk:
  182. k1 = sk
  183. if pk: # s p ?
  184. k2 = pk
  185. cmp_fn = cb.lookup_skpk_cmp_fn
  186. elif ok: # s ? o
  187. k2 = ok
  188. cmp_fn = cb.lookup_skok_cmp_fn
  189. else: # s ? ?
  190. cmp_fn = cb.lookup_sk_cmp_fn
  191. elif pk:
  192. k1 = pk
  193. if ok: # ? p o
  194. k2 = ok
  195. cmp_fn = cb.lookup_pkok_cmp_fn
  196. else: # ? p ?
  197. cmp_fn = cb.lookup_pk_cmp_fn
  198. elif ok: # ? ? o
  199. k1 = ok
  200. cmp_fn = cb.lookup_ok_cmp_fn
  201. else: # ? ? ?
  202. return self.copy()
  203. self.seek()
  204. while self.get_next(&spok):
  205. if cmp_fn(&spok, k1, k2):
  206. ret.add(&spok)
  207. ret.resize()
  208. return ret
  209. ## Boolean operations.
  210. cdef Keyset merge(Keyset ks1, Keyset ks2):
  211. """
  212. Create a Keyset by merging an``ks2`` Keyset with the current one.
  213. :rtype: Keyset
  214. """
  215. cdef:
  216. TripleKey val
  217. Keyset ks3 = ks1.copy()
  218. ks2.seek()
  219. while ks2.get_next(&val):
  220. ks3.add(&val, True)
  221. ks3.resize()
  222. return ks3
  223. cdef Keyset subtract(Keyset ks1, Keyset ks2):
  224. """
  225. Create a Keyset by subtracting an``ks2`` Keyset from the current one.
  226. :rtype: Keyset
  227. """
  228. cdef:
  229. TripleKey val
  230. Keyset ks3 = Keyset(ks1.capacity)
  231. ks1.seek()
  232. while ks1.get_next(&val):
  233. if val != NULL_TRP and not ks2.contains(&val):
  234. ks3.add(&val)
  235. ks3.resize()
  236. return ks3
  237. cdef Keyset intersect(Keyset ks1, Keyset ks2):
  238. """
  239. Create a Keyset by intersection with an``ks2`` Keyset.
  240. :rtype: Keyset
  241. """
  242. cdef:
  243. TripleKey val
  244. Keyset ks3 = Keyset(ks1.capacity)
  245. ks1.seek()
  246. while ks1.get_next(&val):
  247. if val != NULL_TRP and ks2.contains(&val):
  248. ks3.add(&val)
  249. ks3.resize()
  250. return ks3
  251. cdef Keyset xor(Keyset ks1, Keyset ks2):
  252. """
  253. Create a Keyset by disjunction (XOR) with an``ks2`` Keyset.
  254. :rtype: Keyset
  255. """
  256. cdef:
  257. TripleKey val
  258. Keyset ks3 = Keyset(ks1.capacity + ks2.capacity)
  259. ks1.seek()
  260. while ks1.get_next(&val):
  261. if val != NULL_TRP and not ks2.contains(&val):
  262. ks3.add(&val)
  263. ks2.seek()
  264. while ks2.get_next(&val):
  265. if val != NULL_TRP and not ks1.contains(&val):
  266. ks3.add(&val)
  267. ks3.resize()
  268. return ks3