Computer >> 컴퓨터 >  >> 프로그램 작성 >> Python

Python에서 스레드 동기화

<시간/>

Python과 함께 제공되는 스레딩 모듈에는 스레드를 동기화할 수 있는 구현하기 쉬운 잠금 메커니즘이 포함되어 있습니다. 새 잠금을 반환하는 Lock() 메서드를 호출하여 새 잠금이 생성됩니다.

새 잠금 개체의 획득(차단) 메서드는 스레드가 동기적으로 실행되도록 하는 데 사용됩니다. 선택적 차단 매개변수를 사용하면 스레드가 잠금을 획득하기 위해 대기하는지 여부를 제어할 수 있습니다.

블로킹이 0으로 설정되면 스레드는 잠금을 획득할 수 없는 경우 0 값으로 즉시 반환되고 잠금을 획득한 경우 1을 반환합니다. 블로킹이 1로 설정되면 스레드가 블로킹되고 잠금이 해제될 때까지 기다립니다.

새 잠금 개체의 release() 메서드는 잠금이 더 이상 필요하지 않을 때 잠금을 해제하는 데 사용됩니다.

예시

#!/usr/bin/python
import threading
import time
class myThread (threading.Thread):
   def __init__(self, threadID, name, counter):
      threading.Thread.__init__(self)
      self.threadID = threadID
      self.name = name
      self.counter = counter
   def run(self):
      print "Starting " + self.name
   # Get lock to synchronize threads
      threadLock.acquire()
      print_time(self.name, self.counter, 3)
      # Free lock to release next thread
      threadLock.release()
def print_time(threadName, delay, counter):
   while counter:
      time.sleep(delay)
      print "%s: %s" % (threadName, time.ctime(time.time()))
      counter -= 1
threadLock = threading.Lock()
threads = []
# Create new threads
thread1 = myThread(1, "Thread-1", 1)
thread2 = myThread(2, "Thread-2", 2)
# Start new Threads
thread1.start()
thread2.start()
# Add threads to thread list
threads.append(thread1)
threads.append(thread2)
# Wait for all threads to complete
for t in threads:
   t.join()
print "Exiting Main Thread"

위의 코드가 실행되면 다음과 같은 결과가 생성됩니다 -

Starting Thread-1
Starting Thread-2
Thread-1: Thu Mar 21 09:11:28 2013
Thread-1: Thu Mar 21 09:11:29 2013
Thread-1: Thu Mar 21 09:11:30 2013
Thread-2: Thu Mar 21 09:11:32 2013
Thread-2: Thu Mar 21 09:11:34 2013
Thread-2: Thu Mar 21 09:11:36 2013
Exiting Main Thread