threading and communication/synchronisation conveniences
Project description
Thread related convenience classes and functions.
Latest release 20250528: Small doc update.
Short summary:
AdjustableSemaphore: A semaphore whose value may be tuned after instantiation.bg: Dispatch the callablefuncin its ownThread; return theThread.DeadlockError: Raised byNRLockwhen a lock is attempted from theThreadcurrently holding the lock.HasThreadState: A mixin for classes with acs.threads.ThreadStateinstance as.stateproviding a context manager which pushescurrent=selfonto that state and adefault()class method returningcls.perthread_state.currentas the default instance of that class.joinif: CallT.join()ifTis not the currentThread.LockableMixin: Trite mixin to control access to an object via its._lockattribute. Exposes the._lockas the property.lock. Presents a context manager interface for obtaining an object's lock.locked: A decorator for instance methods that must run within a lock.locked_property: A thread safe property whose value is cached. The lock is taken if the value needs to computed.monitor: Turn a class into a monitor, all of whose public methods are@locked.NRLock: A nonrecursive lock. Attempting to take this lock when it is already held by the currentThreadwill raiseDeadlockError. Otherwise this behaves likethreading.Lock.PriorityLock: A priority based mutex which is acquired by and released to waiters in priority order.PriorityLockSubLock: The record for the per-acquirerLockheld byPriorityLock.acquire.State: AThreadlocal object with attributes which can be used as a context manager to stack attribute values.ThreadState: AThreadlocal object with attributes which can be used as a context manager to stack attribute values.via: Return a callable that calls the suppliedfuncinside awithstatement using the context managercmanager. This intended use case is aimed at deferred function calls.
Module contents:
AdjustableSemaphore.acquire(self, blocking=True):
The acquire() method calls the base acquire() method if not blocking.
If blocking is true, the base acquire() is called inside a lock to
avoid competing with a reducing adjust().
AdjustableSemaphore.adjust(self, newvalue):
Set capacity to newvalue
by calling release() or acquire() an appropriate number of times.
If newvalue lowers the semaphore capacity then adjust()
may block until the overcapacity is released.
AdjustableSemaphore.adjust_delta(self, delta):
Adjust capacity by delta by calling release() or acquire()
an appropriate number of times.
If delta lowers the semaphore capacity then adjust() may block
until the overcapacity is released.
AdjustableSemaphore.release(self):
Release the semaphore.
-
bg(func, *, daemon=None, name=None, no_start=False, no_logexc=False, args=None, kwargs=None, thread_factory=None, pre_enter_objects=None, **thread_factory_kw): Dispatch the callablefuncin its ownThread; return theThread.Parameters:
func: a callable for theThreadtarget.args,kwargs: passed to theThreadconstructorkwargs,kwargs: passed to theThreadconstructordaemon: optional argument specifying the.daemonattribute.name: optional argument specifying theThreadname, default: the name offunc.no_logexc: if false (defaultFalse), wrapfuncin@logexc.no_start: optional argument, defaultFalse. If true, do not start theThread.pre_enter_objects: an optional iterable of objects which should be entered usingwith
If
pre_enter_objectsis supplied, these context manager objects will be entered usingwithvia thecloseall()function before theThreadis started and exited when theThreadtarget function ends. If theThreadis not started (no_start=True, very unusual) then the objects will still be entered and it will be the caller's responsibility to manage the entered objects. -
ClassDeadlockError(builtins.RuntimeError)``: Raised byNRLockwhen a lock is attempted from the `Thread` currently holding the lock. -
ClassHasThreadState(cs.context.ContextManagerMixin)``: A mixin for classes with acs.threads.ThreadStateinstance as `.state` providing a context manager which pushes `current=self` onto that state and a `default()` class method returning `cls.perthread_state.current` as the default instance of that class.NOTE: the documentation here refers to
cls.perthread_state, but in fact we honour thecls.THREAD_STATE_ATTRattribute to name the state attribute which allows perclass state attributes, and also use with classes which already use.perthread_statefor another purpose.NOTE:
HasThreadState.Threadis a class method whose default is to push state for all activeHasThreadStatesubclasses. Contrast withHasThreadState.bgwhich is an _instance_method whose default is to push state for just that instance. The top levelcs.threads.bgfunction callsHasThreadState.Threadto obtain itsThread.
HasThreadState.Thread(*, name=None, target, enter_objects=None, **Thread_kw):
Factory for a Thread to push the .current state for the
currently active classes.
The optional parameter enter_objects may be used to pass
an iterable of objects whose contexts should be entered
using with obj:.
If this is set to True that indicates that every "current"
HasThreadStates instance should be entered.
The default does not enter any object contexts.
The HasThreadStates.bg method defaults to passing
enter_objects=(self,) to enter the context for self.
HasThreadState.__enter_exit__(self):
Push self.perthread_state.current=self as the Thread local current instance.
Include self.__class__ in the set of currently active classes for the duration.
HasThreadState.bg(self, func, *, enter_objects=None, **bg_kw):
Get a Thread using type(self).Thread and start it.
Return the Thread.
The HasThreadState.Thread factory duplicates the current Thread's
HasThreadState current objects as current in the new Thread.
Additionally it enters the contexts of various objects using
with obj according to the enter_objects parameter.
The value of the optional parameter enter_objects governs
which objects have their context entered using with obj
in the child Thread while running func as follows:
None: the default, meaning(self,)False: no object contexts are enteredTrue: all currentHasThreadStateobject contexts will be entered- an iterable of objects whose contexts will be entered;
pass
()to enter no objects
HasThreadState.default(*, factory=None, raise_on_None=False):
The default instance of this class from cls.perthread_state.current.
Parameters:
factory: optional callable to create an instance ofclsifcls.perthread_state.currentisNoneor missing; iffactoryisTruethenclsis used as the factoryraise_on_None: ifcls.perthread_state.currentisNoneor missing andfactoryis false andraise_on_Noneis true, raise aRuntimeError; this is primarily a debugging aid
HasThreadState.get_thread_states(all_classes=None):
Return a mapping of class->current_instancefor use withHasThreadState.with_thread_statesorHasThreadState.ThreadorHasThreadState.bg`.
The default behaviour returns just a mapping for this class, expecting the default instance to be responsible for what other resources it holds.
There is also a legacy mode for all_classes=True
where the mapping is for all active classes,
probably best used for Threads spawned outside
a HasThreadState context.
Parameters:
all_classes: optional flag, defaultFalse; if true, return a mapping of class to current instance for allHasThreadStatesubclasses with an open instance, otherwise just a mapping from this class to its current instance
-
joinif(T: threading.Thread): CallT.join()ifTis not the currentThread.Unlike
threading.Thread.join, this function is a no-op ifTis the current `Thread.The use case is situations such as the shutdown phase of the
MultiOpenMixin.startup_shutdowncontext manager. Because the "initial open" startup phase is not necessarily run in the same thread as the "final close" shutdown phase, it is possible for example for a workerThreadto execute the shutdown phase and try to join itself. Using this function supports that scenario. -
ClassLockableMixin``: Trite mixin to control access to an object via its._lockattribute. Exposes the `._lock` as the property `.lock`. Presents a context manager interface for obtaining an object's lock.
LockableMixin.__exit__(self, exc_type, exc_value, traceback):
pylint: disable=unused-argument
LockableMixin.lock:
The internal lock object.
-
locked(*da, **dkw): A decorator for instance methods that must run within a lock.Decorator keyword arguments:
initial_timeout: the initial lock attempt timeout; if this is>0and exceeded a warning is issued and then an indefinite attempt is made. Default:2.0slockattr: the name of the attribute ofselfwhich references the lock object. Default'_lock'
-
locked_property(*da, **dkw): A thread safe property whose value is cached. The lock is taken if the value needs to computed.The default lock attribute is
._lock. The default attribute for the cached value is._funcname where funcname isfunc.__name__. The default "unset" value for the cache isNone. -
monitor(*da, **dkw): Turn a class into a monitor, all of whose public methods are@locked.This is a simple approach which requires class instances to have a
._lockwhich is anRLockor compatible because methods may naively call each other.Parameters:
attrs: optional iterable of attribute names to wrap in@locked. If omitted, all names commencing with a letter are chosen.initial_timeout: optional initial lock timeout, default10.0s.lockattr: optional lock attribute name, default'_lock'.
Only attributes satifying
inspect.ismethodare wrapped because@lockedrequires access to the instance._lockattribute. -
ClassNRLock``: A nonrecursive lock. Attempting to take this lock when it is already held by the currentThreadwill raise `DeadlockError`. Otherwise this behaves like `threading.Lock`.
NRLock.acquire(self, *a, caller_frame=None, **kw):
Acquire the lock as for threading.Lock.
Raises DeadlockError is the lock is already held by the current Thread.
NRLock.locked(self):
Return the lock status.
NRLock.release(self):
Release the lock as for threading.Lock.
-
ClassPriorityLock``: A priority based mutex which is acquired by and released to waiters in priority order.The initialiser sets a default priority, itself defaulting to
0.The
acquire()method accepts an optionalpriorityvalue which specifies the priority of the acquire request; lower values have higher priorities.acquirereturns a newPriorityLockSubLock.Note that internally this allocates a
threading.Lockper acquirer.When
acquireis called, if thePriorityLockis taken then the acquirer blocks on their personalLock.When
release()is called the highest priorityLockis released.Within a priority level
acquires are served in FIFO order.Used as a context manager, the mutex is obtained at the default priority. The
priority()method offers a context manager with a specified priority. Both context managers return thePriorityLockSubLockallocated by theacquire.
PriorityLock.__init__(self, default_priority=0, name=None):
Initialise the PriorityLock.
Parameters:
default_priority: the defaultacquirepriority, default0.name: optional identifying name
PriorityLock.__enter__(self):
Enter the mutex as a context manager at the default priority.
Returns the new Lock.
PriorityLock.__exit__(self, *_):
Exit the context manager.
PriorityLock.acquire(self, priority=None):
Acquire the mutex with priority (default from default_priority).
Return the new PriorityLockSubLock.
This blocks behind any higher priority acquires
or any earlier acquires of the same priority.
PriorityLock.priority(self, this_priority):
A context manager with the specified this_priority.
Returns the new Lock.
PriorityLock.release(self):
Release the mutex.
Internally, this releases the highest priority Lock,
allowing that acquirer to go forward.
-
ClassPriorityLockSubLock(PriorityLockSubLock)``: The record for the per-acquirer `Lock` held by `PriorityLock.acquire`. -
ClassState(_thread._local)``: AThreadlocal object with attributes which can be used as a context manager to stack attribute values.Example:
from cs.threads import ThreadState S = ThreadState(verbose=False) with S(verbose=True) as prev_attrs: if S.verbose: print("verbose! (formerly verbose=%s)" % prev_attrs['verbose'])
State.__init__(self, **kw):
Initiate the ThreadState, providing the per-Thread initial values.
State.__call__(self, **kw):
Calling a ThreadState returns a context manager which stacks some state.
The context manager yields the previous values
for the attributes which were stacked.
-
ClassThreadState(_thread._local)``: AThreadlocal object with attributes which can be used as a context manager to stack attribute values.Example:
from cs.threads import ThreadState S = ThreadState(verbose=False) with S(verbose=True) as prev_attrs: if S.verbose: print("verbose! (formerly verbose=%s)" % prev_attrs['verbose'])
ThreadState.__init__(self, **kw):
Initiate the ThreadState, providing the per-Thread initial values.
ThreadState.__call__(self, **kw):
Calling a ThreadState returns a context manager which stacks some state.
The context manager yields the previous values
for the attributes which were stacked.
via(cmanager, func, *a, **kw): Return a callable that calls the suppliedfuncinside awithstatement using the context managercmanager. This intended use case is aimed at deferred function calls.
Release Log
Release 20250528: Small doc update.
Release 20250325: NRLock: include the lock name in DeadLock exceptions.
Release 20250306: HasThreadState: various fixes.
Release 20241005: Remove some debug noise.
Release 20240630:
- bg: use closeall instead of twostep/withall.
- HasThreadState.bg: drop pre_enter_objects (unused), gets plumbed by the **bg_kw.
Release 20240422: HasThreadState.default: make factory and raise_on keyword only.
Release 20240412:
- New NRLock, an nonrecursive Lock and associated exception DeadlockError.
- bg: rename thread_class to thread_factory for clarity.
- HasThreadState: big refactor to separate the mapping of default instances from the previously automatic opening of a context for each.
- HasThreadState.bg: new optional pre_enter_objects to supply objects which should be opened before the Thread starts (before bg returns) and closed when the Thread exits.
Release 20240316: Fixed release upload artifacts.
Release 20240303:
- HasThreadState: rename thread_states() to get_thread_states().
- HasThreadState.get_thread_states: some logic fixes.
Release 20231129:
- HasThreadState.thread_states: policy change: the default now makes a mapping only for this class, not for all HasThreadState subclasses, on the premise that this class can manage use of other classes if required.
- HasThreadState: new bg() class method like Thread() but also starting the Thread.
Release 20230331:
- HasThreadState: new thread_states() method to snapshot the current states.
- HasThreadState: new with_thread_states() context manager to apply a set of states.
- HasThreadState: rename the default state from .state to .perthread_state.
- HasThreadState.enter_exit: pass cls._HasThreadState_lock to stackset as the modification guard lock, prevents race in thread_states.
- Rename State to ThreadState, which how I always use it anyway, and leave a compatibility name behind.
- New joinif(Thread) method to join a Thread unless we are that Thread - this is because MultiOpenMixin.startup_shutdown stuff may run the shutdown in a differ Thread from that which ran the startup.
- @uses_runstate: use the prevailing RunState or create one.
- Drop Python 2 support.
Release 20230212:
- HasThreadState: maintain a set of the HasThreadState classes in use.
- New HasThreadState.Thread class factory method to create a new Thread with the current threads states at time of call instantiated in the new Thread.
- bg: new no_context=False parameter to suppress use of HasThreadState.Thread to create the new Thread.
Release 20230125: New HasThreadState mixin for classes with a state=State() attribute to provide a cls.default() class method for the default instance and a context manager to push/pop self.state.current=self.
Release 20221228:
- Get error and warning from cs.gimmicks, breaks circular import with cs.logutils.
- Late import of cs.logutils.LogTime to avoid circular import.
Release 20221207: Small bug fix.
Release 20221118: REMOVE WorkerThreadPool, pulls in too many other things and was never used.
Release 20211208: bg: do not pass the current Pfx prefix into the new Thread, seems to leak and grow.
Release 20210306: bg: include the current Pfx prefix in the thread name and thread body Pfx, obsoletes cs.pfx.PfxThread.
Release 20210123: New @monitor class decorator for simple RLock based reentrance protection.
Release 20201025:
- @locked: bump the default warning timeout to 10s, was firing too often.
- New State class for thread local state objects with default attribute values and a stacking call context manager.
Release 20200718: @locked: apply the interior doc to the wrapper.
Release 20200521: @locked_property: decorate with @cs.deco.decorator to support keyword arguments.
Release 20191102: @locked: report slow-to-acquire locks, add initial_timeout and lockattr decorator keyword parameters.
Release 20190923.2: Fix annoying docstring typo.
Release 20190923.1: Docstring updates.
Release 20190923: Remove dependence on cs.obj.
Release 20190921: New PriorityLock class for a mutex which releases in (priority,fifo) order.
Release 20190812:
bg: compute default name before wrapping func in @logexc.
Release 20190729:
bg: provide default name, run callable inside Pfx, add optional no_logexc=False param preventing @logec wrapper if true.
Release 20190422:
bg(): new optional no_start=False keyword argument, preventing Thread.start if true
Release 20190102:
- Drop some unused classes.
- New LockableMixin, presenting a context manager and a .lock property.
Release 20160828: Use "install_requires" instead of "requires" in DISTINFO.
Release 20160827:
- Replace bare "excepts" with "except BaseException".
- Doc updates. Other minor improvements.
Release 20150115: First PyPI release.
Project details
Release history Release notifications | RSS feed
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 cs_threads-20250528.tar.gz.
File metadata
- Download URL: cs_threads-20250528.tar.gz
- Upload date:
- Size: 16.1 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.1.0 CPython/3.13.1
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
ddc4062c61f3d46da393fa9ed7a125bb81bdc0704e04d72bf4e7291c184c5e12
|
|
| MD5 |
262467b24b4259532149362ac8ad98f0
|
|
| BLAKE2b-256 |
4391c398eeaef3e6d5f02805b48f63d0ffce9bc6ab805c85ba8265c625ae35c0
|
File details
Details for the file cs_threads-20250528-py2.py3-none-any.whl.
File metadata
- Download URL: cs_threads-20250528-py2.py3-none-any.whl
- Upload date:
- Size: 15.4 kB
- Tags: Python 2, Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.1.0 CPython/3.13.1
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
8bbb2efefd474d40c2bcb53827b17fb35559e64838cb860db8a735b04e81b531
|
|
| MD5 |
ec25bb47e96476f4612c585c08178967
|
|
| BLAKE2b-256 |
3aad05bcfddcf431a37c9ea3fd6d43f5ea06c26d36075469976a1ad7661afd12
|