Created
December 5, 2017 11:28
-
-
Save ownport/63167dbb162f998964f309a5046bef58 to your computer and use it in GitHub Desktop.
python | multiprocessing producer consumer
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
# multiprocessing_producer_consumer.py | |
# https://pymotw.com/3/multiprocessing/communication.html | |
import multiprocessing | |
import time | |
class Consumer(multiprocessing.Process): | |
def __init__(self, task_queue, result_queue): | |
multiprocessing.Process.__init__(self) | |
self.task_queue = task_queue | |
self.result_queue = result_queue | |
def run(self): | |
proc_name = self.name | |
while True: | |
next_task = self.task_queue.get() | |
if next_task is None: | |
# Poison pill means shutdown | |
print('{}: Exiting'.format(proc_name)) | |
self.task_queue.task_done() | |
break | |
print('{}: {}'.format(proc_name, next_task)) | |
answer = next_task() | |
self.task_queue.task_done() | |
self.result_queue.put(answer) | |
class Task: | |
def __init__(self, a, b): | |
self.a = a | |
self.b = b | |
def __call__(self): | |
time.sleep(0.1) # pretend to take time to do the work | |
return '{self.a} * {self.b} = {product}'.format( | |
self=self, product=self.a * self.b) | |
def __str__(self): | |
return '{self.a} * {self.b}'.format(self=self) | |
if __name__ == '__main__': | |
# Establish communication queues | |
tasks = multiprocessing.JoinableQueue() | |
results = multiprocessing.Queue() | |
# Start consumers | |
num_consumers = multiprocessing.cpu_count() * 2 | |
print('Creating {} consumers'.format(num_consumers)) | |
consumers = [ | |
Consumer(tasks, results) | |
for i in range(num_consumers) | |
] | |
for w in consumers: | |
w.start() | |
# Enqueue jobs | |
num_jobs = 10 | |
for i in range(num_jobs): | |
tasks.put(Task(i, i)) | |
# Add a poison pill for each consumer | |
for i in range(num_consumers): | |
tasks.put(None) | |
# Wait for all of the tasks to finish | |
tasks.join() | |
# Start printing results | |
while num_jobs: | |
result = results.get() | |
print('Result:', result) | |
num_jobs -= 1 | |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment