Python 코루틴이 어떻게 교통 체증을 일으키지 않고 함께 잘 작동하는지 궁금한 적이 있나요? 비동기 코드가 서커스로 변하는 것을 방지하는 숨은 영웅인 asyncio 이벤트 및 조건의 기발한 세계에 대해 알아보세요.
이벤트: 모두가 기다리는 그린라이트
asyncio.Event를 코드의 신호등으로 생각하세요. 코루틴은 줄을 서서 축소하기 전에 조명이 녹색으로 바뀔 때까지 참을성 있게(또는 그리 참을성 있게) 기다립니다.
한 무리의 사람들(코루틴)과 함께 횡단보도에 있다고 상상해 보세요. 보행자 신호가 빨간색이므로(이벤트가 설정되지 않음) 모두가 기다립니다. 녹색(event.set())으로 바뀌는 순간, 그룹 전체가 일제히 앞으로 나아갑니다. 빨간불에도 앞질러 갔다고 차를 피하는 사람이 되고 싶은 사람은 아무도 없습니다.
import asyncio async def pedestrian(event): print("Pedestrian is waiting for the signal.") await event.wait() print("Pedestrian crosses the street.") async def traffic_light(event): print("Traffic light is red.") await asyncio.sleep(2) event.set() print("Traffic light turns green.") async def main(): event = asyncio.Event() await asyncio.gather(pedestrian(event), traffic_light(event)) asyncio.run(main())
출력:
Pedestrian is waiting for the signal. Traffic light is red. Traffic light turns green. Pedestrian crosses the street.
조건: 클럽 VIP 패스
asyncio.Condition은 고급 클럽의 경비원과 같습니다. 클럽이 오픈(조건 있음)해야 할 뿐만 아니라 특정 기준(await Condition.wait())도 충족해야 합니다.
트랜디한 나이트클럽에 들어가려고 하는 사진. 클럽(조건)은 수용 인원이 제한되어 있으며 경비원은 다른 사람이 떠날 경우(조건 충족)에만 입장을 허용합니다. 고개를 끄덕일 때까지 밖에서 기다리면서 최고의 댄스 동작을 연습하거나 어색하게 휴대폰을 확인할 수도 있습니다.
import asyncio async def clubber(condition, name): async with condition: print(f"{name} wants to enter the club.") await condition.wait() print(f"{name} enters the club.") async def bouncer(condition): await asyncio.sleep(2) async with condition: print("Bouncer signals someone can enter.") condition.notify() async def main(): condition = asyncio.Condition() await asyncio.gather( clubber(condition, "Alice"), clubber(condition, "Bob"), bouncer(condition) ) asyncio.run(main())
출력:
Alice wants to enter the club. Bob wants to enter the club. Bouncer signals someone can enter. Alice enters the club.
이 예에서는 경비원이 한 사람에게만 신호를 보내기 때문에(condition.notify()) 한 명의 클러버만 클럽에 입장할 수 있습니다. 다른 클러버는 무기한 기다리고 있습니다. 모든 사람이 파티에 참석하도록 하려면(파티 타임!), Condition.notify_all()을 사용할 수 있습니다.
import asyncio async def clubber(condition, name): async with condition: print(f"{name} wants to enter the club.") await condition.wait() print(f"{name} enters the club.") async def bouncer(condition): await asyncio.sleep(2) async with condition: print("Bouncer signals everyone can enter.") condition.notify_all() async def main(): condition = asyncio.Condition() await asyncio.gather( clubber(condition, "Alice"), clubber(condition, "Bob"), bouncer(condition) ) asyncio.run(main())
출력:
Alice wants to enter the club. Bob wants to enter the club. Bouncer signals everyone can enter. Alice enters the club. Bob enters the club.
파티 마무리
이제 asyncio 이벤트와 조건이 어떻게 작동하는지 더 명확하게 이해하셨을 것입니다. 모든 일이 원활하게 진행되도록 뒤에서 도와주는 코디네이터입니다.
다음번에 비동기 코드가 고속도로에 쌓인 것과 비슷하지 않다면 누구에게 감사해야 할지 아실 겁니다!
위 내용은 Asyncio 이벤트 및 조건: Python 교통 신호의 비밀스러운 삶의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!