-
Notifications
You must be signed in to change notification settings - Fork 11
/
park.py
385 lines (275 loc) · 10.8 KB
/
park.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
# coding: utf-8
# Copyright 2012-2015 litl, LLC. All Rights Reserved.
import abc
import itertools
import logging
import os
import sqlite3
__version__ = "1.1.0"
logger = logging.getLogger(__name__)
__all__ = ["SQLiteStore", "KVStore"]
import sys
if sys.version_info < (3,):
def b(x):
return x
def un_b(x):
return x
else:
import codecs
def b(x):
return codecs.latin_1_encode(x)[0]
def un_b(x):
return codecs.latin_1_decode(x)[0]
class KVStore(object):
"""An abstract key-value interface with support for range iteration."""
__metaclass__ = abc.ABCMeta
# Implement the Python context manager protocol.
def __enter__(self):
return self
def __exit__(self, *exc_info):
self.close()
def close(self): # pragma: no cover
"""Release any resources associated with a KVStore.
This is used to support the Python context manager protocol
with semantics similar to ``contextlib.closing()``. That means
you can use any concrete implementation of KVStore like:
::
with park.SQLiteStore("/path/to/db") as kv:
kv.put("my_key", "my_value")
"""
# Typically overridden by subclasses, this default
# implementation does nothing.
pass
def contains(self, key):
"""True if the store contains key."""
return self.get(key, default=None) is not None
@abc.abstractmethod
def get(self, key, default=None): # pragma: no cover
"""Get the value associated with a key.
:param key: The key to retrieve.
:type key: bytes
:param default: A default value to return if the key is not
present in the store.
:returns: The value associated with ``key``.
"""
pass
@abc.abstractmethod
def put(self, key, value): # pragma: no cover
"""Put a key-value pair into the store.
If the key is already present, this replaces its value. Both
the key and value are binary safe.
:param key: The key to set.
:type key: bytes
:param value: The value to set the key to.
:type value: bytes
"""
pass
@abc.abstractmethod
def put_many(self, items): # pragma: no cover
"""Put many key-value pairs.
This method may take advantage of performance or atomicity
features of the underlying store. It does not guarantee that
all items will be set in the same transaction, only that
transactions may be used for performance.
:param items: An iterable producing (key, value) tuples.
"""
for key, value in items:
self.put(key, value)
@abc.abstractmethod
def delete(self, key): # pragma: no cover
"""Remove a key from the store.
:param key: The key to remove.
:type key: bytes
"""
pass
@abc.abstractmethod
def delete_many(self, keys): # pragma: no cover
"""Remove many keys from the store.
:param keys: An iterable producing keys to remove.
"""
for key in keys:
self.delete(key)
@abc.abstractmethod
def keys(self, key_from=None, key_to=None): # pragma: no cover
"""Get a lexically sorted range of keys.
:param key_from: Lower bound (inclusive), or None for unbounded.
:type key_from: bytes
:param key_to: Upper bound (inclusive), or None for unbounded.
:type key_to: bytes
:yields: All keys from the store where ``key_from <= key <= key_to``.
"""
pass
@abc.abstractmethod
def items(self, key_from=None, key_to=None): # pragma: no cover
"""Get a lexically sorted range of (key, value) tuples.
:param key_from: Lower bound (inclusive), or None for unbounded.
:type key_from: bytes
:param key_to: Upper bound (inclusive), or None for unbounded.
:type key_to: bytes
:yields: All (key, value) pairs from the store where
``key_from <= key <= key_to``.
"""
pass
def prefix_items(self, prefix, strip_prefix=False):
"""Get all (key, value) pairs with keys that begin with ``prefix``.
:param prefix: Lexical prefix for keys to search.
:type prefix: bytes
:param strip_prefix: True to strip the prefix from yielded items.
:type strip_prefix: bool
:yields: All (key, value) pairs in the store where the keys
begin with the ``prefix``.
"""
items = self.items(key_from=prefix)
start = 0
if strip_prefix:
start = len(prefix)
for key, value in items:
if not key.startswith(prefix):
break
yield key[start:], value
def prefix_keys(self, prefix, strip_prefix=False):
"""Get all keys that begin with ``prefix``.
:param prefix: Lexical prefix for keys to search.
:type prefix: bytes
:param strip_prefix: True to strip the prefix from yielded items.
:type strip_prefix: bool
:yields: All keys in the store that begin with ``prefix``.
"""
keys = self.keys(key_from=prefix)
start = 0
if strip_prefix:
start = len(prefix)
for key in keys:
if not key.startswith(prefix):
break
yield key[start:]
def ibatch(iterable, size):
"""Yield a series of batches from iterable, each size elements long."""
source = iter(iterable)
while True:
batch = itertools.islice(source, size)
yield itertools.chain([next(batch)], batch)
class SQLiteStore(KVStore):
"""A KVStore in an SQLite database. This is what you want to use.
:param path: The filesystem path for the database, which will be
created if it doesn't exist.
:type path: str
See :py:class:`park.KVStore` for what you can do with it.
SQLiteStore uses an embarrassingly simple SQL schema:
.. code-block:: sql
CREATE TABLE kv (
key BLOB NOT NULL PRIMARY KEY,
value BLOB NOT NULL)
There are a few implications of this schema you might need to be
aware of.
1. Declaring ``key`` as PRIMARY KEY automatically indexes it,
which gives constant time ordered traversal of keys and O(log
n) lookup. However, SQLite 3 indexes the keys separately from
the table data, which means your keys are effectively stored
twice in the database. A primary key also means the index can't
be dropped during bulk inserts.
2. Using BLOBs for both columns keeps them binary safe, but it
means everything going in must be type ``bytes``. Python
``str`` strings are converted automatically, but if you're
dealing with Unicode data you'll need to encode it to bytes
first. UTF-8 is a fine option:
::
>>> kv.put("key", value.encode("utf-8"))
>>> kv.get("key").decode("utf-8")
"""
def __init__(self, path):
need_schema = not os.path.exists(path)
self.conn = sqlite3.connect(path)
# Don't create unicode objects for retrieved values
self.conn.text_factory = memoryview
# Disable the SQLite cache. Its pages tend to get swapped
# out, even if the database file is in buffer cache.
c = self.conn.cursor()
c.execute("PRAGMA cache_size=0")
c.execute("PRAGMA page_size=4096")
# Use write-ahead logging if it's available, otherwise truncate
journal_mode, = c.execute("PRAGMA journal_mode=WAL").fetchone()
if journal_mode != "wal":
c.execute("PRAGMA journal_mode=truncate")
# Speed-for-reliability tradeoffs
c.execute("PRAGMA temp_store=memory")
c.execute("PRAGMA synchronous=OFF")
if need_schema:
self._create_db(self.conn)
def close(self):
self.conn.commit()
self.conn.close()
del self.conn
def _create_db(self, conn):
logger.debug("Creating SQLiteStore schema")
c = conn.cursor()
c.execute("""
CREATE TABLE kv (
key BLOB NOT NULL PRIMARY KEY,
value BLOB NOT NULL)""")
conn.commit()
def get(self, key, default=None):
q = "SELECT value FROM kv WHERE key = ?"
c = self.conn.cursor()
row = c.execute(q, (sqlite3.Binary(b(key)),)).fetchone()
if not row:
return default
return un_b(bytes(row[0]))
def put(self, key, value):
q = "INSERT OR REPLACE INTO kv (key, value) VALUES (?, ?)"
self.conn.execute(q,
(sqlite3.Binary(b(key)), sqlite3.Binary(b(value))))
self.conn.commit()
def put_many(self, items):
q = "INSERT OR REPLACE INTO kv (key, value) VALUES (?, ?)"
c = self.conn.cursor()
blob = sqlite3.Binary
for batch in ibatch(items, 30000):
items = ((blob(b(key)), blob(b(value)))
for key, value in batch)
c.executemany(q, items)
self.conn.commit()
def delete(self, key):
q = "DELETE FROM kv WHERE key = ?"
self.conn.execute(q, (sqlite3.Binary(b(key)),))
self.conn.commit()
def delete_many(self, keys):
q = "DELETE FROM kv WHERE key = ?"
c = self.conn.cursor()
blob = sqlite3.Binary
for batch in ibatch(keys, 30000):
items = ((blob(b(key)),) for key in batch)
c.executemany(q, items)
self.conn.commit()
def _range_where(self, key_from=None, key_to=None):
if key_from is not None and key_to is None:
key_from = b(key_from)
return "WHERE key >= :key_from"
if key_from is None and key_to is not None:
key_to = b(key_to)
return "WHERE key <= :key_to"
if key_from is not None and key_to is not None:
key_from = b(key_from)
key_to = b(key_to)
return "WHERE key BETWEEN :key_from AND :key_to"
return ""
def items(self, key_from=None, key_to=None):
q = "SELECT key, value FROM kv %s ORDER BY key " \
% self._range_where(key_from, key_to)
if key_from is not None:
key_from = sqlite3.Binary(b(key_from))
if key_to is not None:
key_to = sqlite3.Binary(b(key_to))
c = self.conn.cursor()
for key, value in c.execute(q, dict(key_from=key_from, key_to=key_to)):
yield un_b(bytes(key)), un_b(bytes(value))
def keys(self, key_from=None, key_to=None):
q = "SELECT key FROM kv %s ORDER BY key " \
% self._range_where(key_from, key_to)
if key_from is not None:
key_from = sqlite3.Binary(b(key_from))
if key_to is not None:
key_to = sqlite3.Binary(b(key_to))
c = self.conn.cursor()
for key, in c.execute(q, dict(key_from=key_from, key_to=key_to)):
yield un_b(bytes(key))