Uh oh!
There was an error while loading.Please reload this page.
- Notifications
You must be signed in to change notification settings - Fork33.7k
Description
We've come across a concurrency bug inlogging/__init__.py which involves the handling of asynchronous exceptions, such asKeyboardInterrupt, during the execution oflogging._acquireLock().
In the current implementation, whenthreading.RLock.acquire() is executed, there is a possibility for an asynchronous exception to occur during the transition back from native code, even if the lock acquisition is successful.
The typical use of_acquireLock() in the logging library is as follows:
def _loggingMethod(handler): """ Add a handler to the internal cleanup list using a weak reference. """ _acquireLock() try: # doSomething finally: _releaseLock()In this pattern, if aKeyboardInterrupt is raised during the lock acquisition, the lock ends up getting abandoned.
When can this happen? One example is during forks.logging/__init__.py registers an at-fork hook, with
os.register_at_fork(before=_acquireLock, after_in_child=_after_at_fork_child_reinit_locks, after_in_parent=_releaseLock)A scenario occurring in our production environment is during a slow fork operation (when the server is under heavy load and performing a multitude of forks). The lock could be held for up to a minute. If this is happening in a secondary thread, and a SIGINT signal is received in the main thread while is waiting to acquire the lock for logging, the lock will be abandoned. This will causes the process to hang during the next _acquireLock() call.
To address this issue, we provide a simple pull request to add a try-except block within _acquireLock(), e.g.:
def _acquireLock(): if _lock: try: _lock.acquire() except BaseException: _lock.release() raiseThis way, if an exception arises during the lock acquisition, the lock will be released, preventing the lock from being abandoned and the process from potentially hanging.