Advanced, High-Performance, and State-Machine Based Synchronous/Asynchronous Read-Write Locks.
Project description
Python RWLocker
Advanced, High-Performance, and State-Machine Based Synchronous/Asynchronous Read-Write Locks.
📋 About the Project
🚀 Why RWLocker?
Standard locks in Python (Lock, RLock) are Exclusive locks. Even if 100 readers (e.g., threads fetching data from a database) arrive at the gate, they are forced to execute these operations sequentially, one by one.
rwlocker, on the other hand, is based on a Shared reading logic. While writer locks are exclusive, reader locks allow thousands of threads or tasks to access data simultaneously without blocking each other. It unleashes the true potential of the system, especially during I/O (Network/Disk/Database) operations where the GIL (Global Interpreter Lock) is released.
✨ Key Features
- Both Thread and Asyncio Support: You can manage both standard OS threads (
rwlocker.thread_rwlock) and event-loop based tasks (rwlocker.async_rwlock) using the exact same API logic. - Smart Proxy Architecture: Intuitive usage of
withandasync withcontext managers via.readand.writeproxies. - Atomic Downgrading: The ability to instantly downgrade a Write lock to a Read lock (
downgrade()) without completely releasing the lock, preventing other writers from slipping in. - Safe Reentrancy: O(1) memory pointer tracking allowing the same thread or task to repeatedly acquire a write lock without causing a Deadlock.
- Cancellation Safety: Full resilience against task cancellations (
CancelledError) in theasyncioenvironment. Cancelled tasks do not corrupt the system state and safely wake up waiting tasks.
🛡️ Lock Strategies
You can select the right lock strategy based on your system's bottleneck profile. Each strategy has a SafeWriter variant that allows for reentrancy.
| Strategy Type | Class Name (Thread / Async) | Description | When to Use? |
|---|---|---|---|
| Writer-Preferring | RWLockWrite / AsyncRWLockWrite |
Forbids new readers from entering if there is a waiting writer. Prevents writer starvation. | To prevent writers from being overwhelmed in read-heavy systems. |
| Reader-Preferring | RWLockRead / AsyncRWLockRead |
Continuously allows new readers in, even if writers are waiting. Provides maximum parallelism. | In cache structures where write operations are very rare or non-critical. |
| Fair (FIFO) | RWLockFIFO / AsyncRWLockFIFO |
Grants access alternately between readers and writers (interleaving). Prevents starvation for both sides. | In high-frequency, bidirectional traffic (MAVLink, WebSockets, etc.). |
⚙️ Architectural Limitations
Engineering facts developers need to know when using this library:
- The CPU-Bound vs I/O-Bound Reality:
rwlockerderives its power from the moments when Python's GIL (Global Interpreter Lock) is released (Network requests, Database queries, File I/O, etc.). If you are looking for a lock for purely heavy mathematical computations (CPU-Bound) that do not involve I/O yields liketime.sleep(), you will not achieve true parallelism due to the GIL, and the C-based standardthreading.Lockwill be slightly faster. RWLock's true battlefield is I/O operations. - Circular References:
Lock classes establish a circular reference graph (Lock -> Proxy -> Lock) when creating smart proxy objects (
.readand.write). This design is intentional. Memory cleanup (Garbage Collection) is safely handled by Python's Cyclic GC engine, not by__del__. - Strict Nested Write Locks:
In
SafeWritervariants, only "Write" locks can be nested. If a writer wants to acquire a reader lock, it cannot do so implicitly; it must explicitly call the.downgrade()method. This is a strict architectural decision made to prevent deadlocks at the structural level.
📊 Performance and Benchmark Results
rwlocker unlocks the system's true potential during Network and Database I/O operations where Python's GIL (Global Interpreter Lock) is released. In aggressive scenario tests conducted with zero OS sleep interference, it overwhelmingly outperformed standard locks.
Summary of Performance Outputs:
- 🚀 Read-Heavy Scenario (100 Readers, 2 Writers):
While standard locks queue readers single-file and choke the system,
rwlockerallows readers to access the data simultaneously. This achieves ~37x FASTER speed and throughput in Threading and ~30x FASTER in Asyncio. - ⚖️ Balanced Scenario (50 Readers, 50 Writers): Thanks to the Fair (FIFO) state machine, read operations are squeezed in parallel between write queues. It increases performance by 2x compared to standard locks without creating a system bottleneck.
- 🛡️ Write-Heavy Scenario (2 Readers, 100 Writers):
Even though write operations inherently cannot be executed concurrently (in parallel), thanks to
rwlocker's zero-allocation smart proxy architecture, it runs 7-8% faster than standardC-based locks. Even the O(1) cost "SafeWriter" (reentrancy) feature adds almost no overhead to performance.
(Note: All lock classes have passed 135 different unit tests covering reentrancy, deadlock, timeout, and cancellation safety scenarios with 0 errors.)
🚀 Getting Started
🛠️ Dependencies
- No external dependencies.
- Only Python Standard Library (
threading,asyncio,typing). - Fully compatible with Python 3.9+.
📦 Installation
The library has zero external dependencies and works directly with Python's core libraries.
-
Clone the repository
git clone https://github.com/TahsinCr/python-rwlocker.git
-
Install via PIP
pip install rwlocker
💻 Usage Examples
1. High-Concurrency In-Memory Cache (Read-Heavy)
Prevents readers from waiting for each other in a web server handling thousands of requests.
import threading
import time
from typing import Any, Dict, Optional
from rwlocker.thread_rwlock import RWLockRead
class InMemoryCache:
def __init__(self):
self._lock = RWLockRead()
self._cache: Dict[str, Any] = {}
def get(self, key: str) -> Optional[Any]:
# Readers NEVER block each other, maximizing throughput!
with self._lock.read:
time.sleep(0.01) # Network or Serialization (I/O) simulation
return self._cache.get(key)
def set(self, key: str, value: Any) -> None:
# Acquires an exclusive write lock. Safely pauses new readers.
with self._lock.write:
self._cache[key] = value
# USAGE
cache = InMemoryCache()
cache.set("status", "ONLINE")
# These 50 threads can read simultaneously without waiting.
threads = [threading.Thread(target=cache.get, args=("status",)) for _ in range(50)]
for t in threads: t.start()
2. Atomic State Downgrading in Financial Ledgers
Perfect for updating data (Write) and immediately reading/auditing the same data (Read) without letting another writer slip in between.
import uuid
from rwlocker.thread_rwlock import RWLockWriteSafeWriter
class TransactionLedger:
def __init__(self):
self._lock = RWLockWriteSafeWriter()
self._balance = 1000.0
def process_payment(self, amount: float):
self._lock.write.acquire()
try:
# PHASE 1: Exclusive Write (Update balance)
self._balance += amount
# ATOMIC DOWNGRADE: Write Lock is downgraded to Read Lock.
# Waiting readers are allowed in, but other WRITERS are strictly blocked.
self._lock.write.downgrade()
# PHASE 2: Shared Read (Broadcast to other services over network)
self._dispatch_audit_event(self._balance)
finally:
# Since we downgraded, we must now release the READ lock.
self._lock.read.release()
def _dispatch_audit_event(self, balance: float):
print(f"Audit Report Dispatched. New Balance: {balance}")
3. JWT Token Refresh (Thundering Herd Solution)
Prevents hundreds of tasks waking up simultaneously to refresh an expired token (Thundering Herd stampede) from crashing the auth server.
import asyncio
from rwlocker.async_rwlock import AsyncRWLockWrite
class AuthTokenManager:
def __init__(self):
self._lock = AsyncRWLockWrite()
self._token = "valid_token"
self._is_expired = False
async def get_valid_token(self) -> str:
# Fast Path: If the token is valid, 500 tasks pass through here concurrently without waiting.
async with self._lock.read:
if not self._is_expired:
return self._token
# Slow Path: Token expired. Acquire write lock.
async with self._lock.write:
# Double-checked locking: While we were waiting for the lock,
# another task might have entered and refreshed the token.
if self._is_expired:
print("Refreshing token...")
await asyncio.sleep(0.5) # API Request
self._token = "new_valid_token"
self._is_expired = False
return self._token
4. High-Frequency Telemetry (Fair FIFO Distribution)
Data arrives from a sensor 100 times per second (Write), and 200 WebSockets read this data (Read). The FIFO architecture prevents both sides from starving.
import asyncio
from typing import Dict
from rwlocker.async_rwlock import AsyncRWLockFIFO
class TelemetryDispatcher:
def __init__(self):
# FIFO (Fair Lock) prevents read and write intensities from choking each other.
self._lock = AsyncRWLockFIFO()
self._state = {"alt": 0.0, "lat": 0.0, "lon": 0.0}
async def ingest_sensor_data(self, new_data: Dict[str, float]):
"""Writes incoming data from high-frequency UDP stream."""
async with self._lock.write:
self._state.update(new_data)
await asyncio.sleep(0.001)
async def broadcast_to_clients(self):
"""Reads data concurrently for dozens of websocket clients."""
async with self._lock.read:
# Safely copy the state quickly to minimize lock holding time
current_state = self._state.copy()
# Perform slow network I/O operations while the lock is released
await self._network_send(current_state)
async def _network_send(self, data):
await asyncio.sleep(0.05) # Network latency simulation
For more examples, please check the examples directory.
See the open issues for a full list of proposed features (and known issues).
🙏 Acknowledgments and License
This project is fully open-source under the MIT License (License).
Thanks to the entire Python open-source community for helping us face the deepest realities of the Python C-API during the development of testing and benchmark architectures.
- PyPI: RWLocker on PyPI
- Source Code: Tahsincr/python-rwlocker
If you find any bugs or want to make an architectural contribution, feel free to open an Issue or submit a Pull Request on GitHub!
📫 Contact
X: @TahsinCrs
Linkedin: @TahsinCr
Email: TahsinCrs@gmail.com
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 rwlocker-1.0.tar.gz.
File metadata
- Download URL: rwlocker-1.0.tar.gz
- Upload date:
- Size: 19.7 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.14.3
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
5a403a52378949cde2d9dcd4a82420009d7f69168a9d3eb34de58d447947bbf1
|
|
| MD5 |
a25c81ab6764ba7294b30d3302f862d3
|
|
| BLAKE2b-256 |
06d4f797a5177d2b3e67e6cc150d7b9294d1e1e1c0e39c8ebaa5e6e16e596a56
|
File details
Details for the file rwlocker-1.0-py3-none-any.whl.
File metadata
- Download URL: rwlocker-1.0-py3-none-any.whl
- Upload date:
- Size: 16.5 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.14.3
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
fd407d54df8fdebe6fdf53487dcfccc96941c63d5f48670e135f84c8e0279aac
|
|
| MD5 |
d047a5ed31091bbab8645e68ba55f38b
|
|
| BLAKE2b-256 |
e40e14464527882a512187ed2c945c5d80cc17282f6d6fc1fd3130a2af41f19b
|