Persistent Python dict/list containers (RD/RL) with automatic backreferences, transactions, and GC over a Redis-like KV store. Default SQLite backend; optional redislite/Redis.
Project description
Etcher
Persistent Python dict/list containers that behave like plain JSON‑ish data. No server, no schema. Put your structures in; read them back.
- Store JSON-style Python data: strings, numbers, booleans, None, dict, list
- Nested structures are stored by reference (no deep copies)
- Durable on-disk storage (SQLite by default)
- Use an optional Redis compatible backend without changing your code
Install
pip install etcher
Optional extras (for local and remote redis backends):
pip install etcher[redislite]pip install etcher[redis]
Quick start
from etcher import DB
# Create or open a persistent DB file
db = DB("state.db")
# Dump a JSON-like Python structure
db["person"] = {"id": "123", "name": "Alice", "tags": ["a", "b"]}
# Access fields naturally
assert db["person"]["name"] == "Alice"
assert db["person"]["tags"][0] == "a"
# Materialize the whole object to a normal Python dict/list when you need it
assert db["person"]() == {"id": "123", "name": "Alice", "tags": ["a", "b"]}
What are RD and RL?
- RD is Etcher’s persistent dict container.
- RL is Etcher’s persistent list container.
- They behave like dict/list for field and index access, but values are stored persistently and nested structures are linked by reference.
- They aim to match normal Python mapping/sequence behavior closely:
RD == {...}andRL == [...]compare by contents, while object identity still usesisand persisted identity is available via.uid. - The printed form is a safe summary and starts with '@' to signal “this is a persisted RD/RL object,” not a plain Python container. Use RD() or RL() to materialize plain Python dict/list values.
Python interop
RDbehaves like a mutable mapping andRLbehaves like a mutable sequence.- Equality follows normal Python container semantics:
==compares contents. - Use
isfor Python object identity and.uidwhen you need to compare persisted object identity.
Printing RD/RL summaries
- RD prints like
@{'field': value, ...} - RL prints like
@[value, ...] - We don’t print entire subtrees by default because structures can be cyclic (which would expand infinitely). The printed form is a safe summary that shows links by identity instead of expanding them.
- If you want the full nested structure, use RD() or RL() to materialize it as a plain Python dict/list. See Materializing to plain Python (RD()/RL()) for details.
- The '@' prefix exists so RD/RL reprs are not confused with normal dict/list reprs: it tells you “this value is persisted on disk.” Without it, RD/RL would look identical to standard Python containers even though they are persisted.
- Star shorthand: If link_field is set and a child RD’s link value equals the dict key it’s under, the summary shows * as shorthand for “same as the key.” Example:
@{'alice': *}. This only affects printing.
Printing example:
db["person"] = {"id": "123", "name": "Alice"}
db["task"] = {"owner": db["person"], "status": "waiting"}
print(db["task"])
# -> @{'owner': <UID-like token>, 'status': 'waiting'} # internal identifier shown unquoted in the summary
# The printed summary shows a compact identifier for nested RD/RL nodes instead of expanding them.
Printing example with link_field:
- If your dicts include a field that identifies them (e.g., "id"), you can have summaries show that instead of the internal UID. This only affects printing (summaries), not storage.
db = DB("state.db", link_field="id")
db["person"] = {"id": "123", "name": "Alice"}
db["task"] = {"owner": db["person"], "status": "waiting"}
print(db["task"])
# -> @{'owner': 123, 'status': 'waiting'} # uses 'id' instead of the internal UID (rendered unquoted)
- IDs are treated like symbols in printed summaries. When link_field is set, the chosen field is shown unquoted (e.g., alice-42) for readability. This affects display only; storage and types are unchanged. Use RD() or RL() to materialize real Python values.
Materializing to plain Python (RD()/RL())
- Call an RD or RL object (e.g., obj()) to materialize it into a plain Python dict or list. This is no longer an RD/RL object; it is a standard, in-memory Python datastructure.
- This returns a snapshot: a normal, in‑memory native Python datastructure that is detached from the database. Later DB edits won’t update your materialized copy.
- When printing data in the REPL, the '@' marker is used to distinguish between RD an RL persistent objects and normal dicts and lists.
- When materializing, shared substructures and cycles are preserved. If two parents reference the same child, the materialized dicts/lists share the same Python object. Cycles materialize as self‑referential dicts/lists without infinite recursion.
Examples
# Summaries vs materialized values
print(db["person"]) # -> starts with '@', summary view
p = db["person"]() # materialize to plain dict
print(p) # -> {'id': '123', ...} (no '@')
# Edit offline and write back once (avoids repeated DB hits)
p["name"] = "Bob"
db["person"] = p
# Shared structure preserved
db["x"] = {"child": {"n": 1}}
child = db["x"]["child"]
db["y"] = {"a": child, "b": child}
y = db["y"]()
assert y["a"] is y["b"] # same Python object
# Cycles preserved (no infinite recursion)
db["a"] = {"name": "A"}
db["b"] = {"name": "B", "friend": db["a"]}
db["a"]["friend"] = db["b"]
a = db["a"]()
assert a["friend"]["friend"] is a # cycle maintained
Custom prefixes (namespaces)
Etcher automatically picks and remembers a prefix for you; you don’t need to set it.
If you want multiple independent namespaces in the same DB file, set your own:
db1 = DB("state.db", prefix="app1")
db2 = DB("state.db", prefix="app2")
db1["x"] = {"value": 1}
db2["x"] = {"value": 2}
assert db1["x"]["value"] == 1
assert db2["x"]["value"] == 2
Transactions
Use transactions for optimistic concurrency. You can either manage watch/multi/execute yourself or use the auto‑retry helper.
Manual watch/multi/execute
t = db.transactor()
t.watch() # watch the current keyspace lock
t.multi() # begin a transaction
t["numbers"] = [1, 2, 3, 4, 5, 6] # queued changes
t.execute() # commit; raises WatchError if the keyspace changed
Auto‑retry helper
t = db.transactor()
def txn():
# Read current state through the transactor
xs = t["numbers"]() if "numbers" in t else []
t.multi()
t["numbers"] = xs + [7, 8]
t.transact(txn) # retries automatically on WatchError
Sharing between processes
- Two or more Python processes can open the same SQLite DB path and share state.
- Many readers are fine; one writer at a time (keep write sections short).
# Process A
db = DB("state.db")
db["counter"] = {"n": 0}
# Process B
db = DB("state.db")
db["counter"]["n"] = db["counter"]["n"] + 1
Backends
- Default: SQLite (fast, durable, zero external services).
- Optional: redislite (embedded), or a real Redis server. Your RD/RL code stays the same; only the backend changes.
# redislite
from redislite import Redis as RLRedis
db = DB("redislite.rdb", redis_adapter=RLRedis)
# real Redis
import redis
r = redis.Redis(host="localhost", port=6379)
db = DB(redis=r) # use a live Redis client
Maintenance (SQLite)
- Optional housekeeping to compact or optimize the SQLite file.
- Probably not needed for typical use; safe to ignore unless you care about reclaiming disk space.
- Exposed as DB.maintenance() and awaitable DB.maintenance_async().
db.maintenance() # synchronous; no-op if backend doesn’t support it
import asyncio
asyncio.run(db.maintenance_async()) # async; also a no-op on non-SQLite backends
Notes and limits
- Data model: JSON-style primitives only (strings, numbers, booleans, None, dict, list).
- Transactions: optimistic and optional; great when coordinating writers.
- Prefixes: automatically handled; customize only if you want separate namespaces.
- Repr safety: summaries avoid expanding cycles; call () to materialize when you need full data.
- License: MIT (see LICENSE)
Project details
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file etcher-0.2.0.tar.gz.
File metadata
- Download URL: etcher-0.2.0.tar.gz
- Upload date:
- Size: 40.6 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.12.11
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
3bdd29e0d48c5c35a549ebdc203b29a4fba0064d60314744c881a9b68461662c
|
|
| MD5 |
40ebe37b6766b5302dccefe46a6d7db6
|
|
| BLAKE2b-256 |
29c7078b41b5f83e1ac9cd9addedf62719e35a5a36657c94388c6b58c6711321
|
File details
Details for the file etcher-0.2.0-py3-none-any.whl.
File metadata
- Download URL: etcher-0.2.0-py3-none-any.whl
- Upload date:
- Size: 19.5 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.12.11
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
715613e4faf9a3c52910b0e2ce222749913c891ae98b6b41015bef7173fa0fd6
|
|
| MD5 |
c9b16e71475af5723b91fffcc633ce77
|
|
| BLAKE2b-256 |
6b3db20e87aa87c126c8264f96e6278b252dfdaed75a7cd24a8abcb5985e6814
|