Skip to main content

A lightweight Python package providing shelve-like persistent storage with zstd compression, SQLite transactions, multithreading support, and flexible serialization options.

Project description

Introduction

PyPI

This package functions similarly to Python's built-in shelve but offers additional features such as:

  • Zstandard (zstd) compression for efficient storage ✅ DONE
  • SQLite-backed transactions to ensure data integrity ⚠️ TODO
  • Multiple serialization formats support: JSON, Pickle, and Pydantic models ✅ DONE
  • SQLite-based function caching with TTL and LRU strategies ✅ DONE

📊 Benchmark

Benchmark functions are defined in tests/test_shelve.py.

🔥 Performance Comparison

Test Case Min (ms) Max (ms) Mean (ms) StdDev (ms) Median (ms) OPS (ops/sec) Rounds
shelve_speed 443.62 459.37 450.19 5.96 450.10 2.22 5
shelvez_pickle_speed 237.18 243.08 240.01 2.54 239.53 4.17 5
shelvez_pydantic_speed 245.33 318.90 263.59 31.14 252.38 3.79 5
shelvez_json_speed 246.83 250.72 249.37 1.57 249.44 4.01 5

OPS = Operations Per Second (calculated as 1 / Mean)


🗂️ Database Size Comparison

File sizes are measured after writing the same number key-value data using each backend.

Backend File Size
shelve 380.00 kB
shelvez (Pickle) 312.00 kB
shelvez (JSON) 312.00 kB
shelvez (Pydantic) 308.00 kB

Smaller database files and faster write performance make shelvez a more efficient alternative to the standard shelve module.


Installation

pip install shelvez

Base Usage

import shelvez as shelve

db = shelve.open("any_db_path/your_db.db")
db["key"] = "value"
print(db["key"])
db.close()

Serialization (default is Pickle)

The default serialization method uses Pickle, with the Pickle data further compressed by zstd. For specific data types, you can also choose other serialization methods to achieve better version compatibility and reduce storage size.


with JSON-serializable dicts

import shelvez as shelve

# Use Json serializer
serializer = shelve.serializer.JsonSerializer()
db = shelve.open("any_db_path/your_db.db", serializer=serializer)

db["key"] = {"key":"value"}

with Pydantic model

from pydantic import BaseModel
import shelvez as shelve

class MyModel(BaseModel):
    value: str

# use Pydantic serializer
serializer = shelve.serializer.PydanticSerializer(MyModel)
db = shelve.open("any_db_path/your_db.db", serializer=serializer)

db["key"] = MyModel(value="value")

with Self Custom Serialization

To implement your own serialization method, you need to create a subclass of serializer.BaseSerializer and override the following two methods:

  1. serialize(self, obj) -> bytes: This method takes a Python object (obj) and returns its serialized form as bytes. Implement this method with your custom serialization logic.
  2. unserialize(self, data: bytes): This method takes the serialized bytes (data) and returns the original Python object by deserializing it.

Here is a template example:

from shelvez import serializer

class CustomSerializer(serializer.BaseSerializer):
    def serialize(self, obj) -> bytes:
        # Implement custom serialization logic here
        # Convert `obj` to bytes
        pass

    def unserialize(self, data: bytes):
        # Implement custom deserialization logic here
        # Convert bytes back to original object
        pass

Using zstd Compression Dictionary

After accumulating a sufficient amount of data, you can generate a custom zstd compression dictionary for your database by calling db.dict.optimize_database(). This function will also recompress the existing data using the newly created dictionary. When stored data shares similar structures or formats, a personalized zstd dictionary can greatly enhance compression efficiency, particularly for relatively small datasets. Typically, generating the dictionary after storing a few thousand samples yields good results.

⚠️ Warning: During the optimization process, do not perform any other read or write operations on the database to prevent data corruption or inconsistent states.

import shelvez as shelve

db = shelve.open("any_db_path/your_db.db")
db["key"] = "value"
# ... store more data as needed

# Generate and apply a custom zstd compression dictionary
db.dict.optimize_database()

db.close()

Function Caching with SqlCache

Shelvez now includes a powerful SQLite-based caching system that allows you to cache function results to SQLite with compression. This is particularly useful for expensive computations that you want to persist across application restarts.

Basic Usage

import shelvez.sqlcache as sqlcache
import time

# TTL Cache - cache results for 1 hour
@sqlcache.ttl_cache(cache_path="cache.db", max_size=1000, ttl=3600)
def expensive_function(x):
    time.sleep(1)  # Simulate expensive computation
    return x * x

# First call - computes and caches
result = expensive_function(5)  # Takes 1 second
print(result)  # 25

# Second call - retrieves from cache
result = expensive_function(5)  # Instant!
print(result)  # 25

LRU Cache

# LRU Cache - keeps only the 100 most recently used results
@sqlcache.lru_cache(cache_path="cache.db", max_size=100)
def fibonacci(n):
    if n <= 1:
        return n
    return fibonacci(n-1) + fibonacci(n-2)

# Results are cached and persist across application restarts
result = fibonacci(30)  # Computed once, cached forever

Custom Cache Configuration

# Custom cache with specific settings
@sqlcache.sqlcache(
    cache_path="my_cache.db",
    max_size=500,
    ttl=1800,  # 30 minutes
    cache_type="ttl"  # or "lru"
)
def my_function(x, y):
    return x + y

Cache Management

# Create a cache instance for advanced management
cache = sqlcache.SqlCache(
    cache_path="advanced_cache.db",
    max_size=1000,
    ttl=3600,
    cache_type="ttl"
)

@cache
def my_function(x):
    return x * 2

# Get cache statistics
stats = cache.get_stats()
print(f"Cache items: {stats['disk_cache']['total_items']}")
print(f"Memory cache size: {stats['memory_cache_size']}")

# Clear all cached data
cache.clear()

# Close the cache
cache.close()

Features

  • Dual-layer caching: Memory cache for speed + disk cache for persistence
  • Compression: All cached data is compressed using zstd for efficient storage
  • Thread-safe: Safe to use in multi-threaded applications
  • Automatic cleanup: TTL caches automatically expire old entries, LRU caches remove least recently used items
  • Flexible serialization: Supports any Python object that can be pickled
  • Statistics: Get detailed information about cache usage and performance

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

shelvez-0.4.2.tar.gz (46.6 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

shelvez-0.4.2-py3-none-any.whl (12.1 kB view details)

Uploaded Python 3

File details

Details for the file shelvez-0.4.2.tar.gz.

File metadata

  • Download URL: shelvez-0.4.2.tar.gz
  • Upload date:
  • Size: 46.6 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: uv/0.8.17

File hashes

Hashes for shelvez-0.4.2.tar.gz
Algorithm Hash digest
SHA256 adec71ee2762bc88bf52199641317c0d8675e94dfe71f754e05de182ff53f200
MD5 bad2ad8a7ee33251365444fa546d2755
BLAKE2b-256 33366f6861fc39eb6406786c6848d7499efa2032254aedcf64c7562a3ec287b1

See more details on using hashes here.

File details

Details for the file shelvez-0.4.2-py3-none-any.whl.

File metadata

  • Download URL: shelvez-0.4.2-py3-none-any.whl
  • Upload date:
  • Size: 12.1 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: uv/0.8.17

File hashes

Hashes for shelvez-0.4.2-py3-none-any.whl
Algorithm Hash digest
SHA256 cfd36f9037230e20c5f9c67569ef8ffbcf2a65dac78abe55bfed3d94a2430281
MD5 21938a327adb5162bb8a8c5eb173131b
BLAKE2b-256 965d65465717e8963287fbd7c7f012ff1c9910d5971f08f42a6f206aa846fd1a

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page