[3.10] bpo-45997: Fix asyncio.Semaphore re-acquiring order (GH-31910) (#32047)

Co-authored-by: Kumar Aditya <59607654+kumaraditya303@users.noreply.github.com>
(cherry picked from commit 32e77154dd)
Co-authored-by: Andrew Svetlov <andrew.svetlov@gmail.com>
This commit is contained in:
Miss Islington (bot) 2022-03-22 08:15:24 -07:00 committed by GitHub
parent c3538355f4
commit 9d59381a5d
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
3 changed files with 37 additions and 6 deletions

View file

@ -6,6 +6,7 @@ import collections
from . import exceptions
from . import mixins
from . import tasks
class _ContextManagerMixin:
@ -350,6 +351,7 @@ class Semaphore(_ContextManagerMixin, mixins._LoopBoundMixin):
raise ValueError("Semaphore initial value must be >= 0")
self._value = value
self._waiters = collections.deque()
self._wakeup_scheduled = False
def __repr__(self):
res = super().__repr__()
@ -363,6 +365,7 @@ class Semaphore(_ContextManagerMixin, mixins._LoopBoundMixin):
waiter = self._waiters.popleft()
if not waiter.done():
waiter.set_result(None)
self._wakeup_scheduled = True
return
def locked(self):
@ -378,16 +381,17 @@ class Semaphore(_ContextManagerMixin, mixins._LoopBoundMixin):
called release() to make it larger than 0, and then return
True.
"""
while self._value <= 0:
# _wakeup_scheduled is set if *another* task is scheduled to wakeup
# but its acquire() is not resumed yet
while self._wakeup_scheduled or self._value <= 0:
fut = self._get_loop().create_future()
self._waiters.append(fut)
try:
await fut
except:
# See the similar code in Queue.get.
fut.cancel()
if self._value > 0 and not fut.cancelled():
self._wake_up_next()
# reset _wakeup_scheduled *after* waiting for a future
self._wakeup_scheduled = False
except exceptions.CancelledError:
self._wake_up_next()
raise
self._value -= 1
return True

View file

@ -933,6 +933,32 @@ class SemaphoreTests(unittest.IsolatedAsyncioTestCase):
sem.release()
self.assertFalse(sem.locked())
async def test_acquire_fifo_order(self):
sem = asyncio.Semaphore(1)
result = []
async def coro(tag):
await sem.acquire()
result.append(f'{tag}_1')
await asyncio.sleep(0.01)
sem.release()
await sem.acquire()
result.append(f'{tag}_2')
await asyncio.sleep(0.01)
sem.release()
t1 = asyncio.create_task(coro('c1'))
t2 = asyncio.create_task(coro('c2'))
t3 = asyncio.create_task(coro('c3'))
await asyncio.gather(t1, t2, t3)
self.assertEqual(
['c1_1', 'c2_1', 'c3_1', 'c1_2', 'c2_2', 'c3_2'],
result
)
if __name__ == '__main__':
unittest.main()

View file

@ -0,0 +1 @@
Fix :class:`asyncio.Semaphore` re-aquiring FIFO order.