我是Python Multiprocessing的新手,我遇到了一个教程,因此试图检查它的多处理。这里的流程没有被终止。他们永远在奔跑。什么错了。?我读到当可选参数为真时,该过程不会终止。因此,我在那里放空话。但这个过程仍然没有终止。请指教。谢谢。我使用的机器有Python 2.7.6 这是我的代码
from multiprocessing import Process
from Queue import Empty,Queue
import math
def isprime(n):
if not isinstance(n,int):
raise TypeError("argument is not of int type")
if n<2:
return False
if n==2:
return True
max= int(math.ceil(math.sqrt(n)))
i=2
while i<=max:
if n%i==0:
return False
return True
def sum_primes(n):
return sum([x for x in xrange(2,n) if isprime(x)])
def do_work(q):
while True:
try:
x=q.get(block=False)
print sum_primes(x)
except Empty:
break
if __name__=="__main__":
work_queue=Queue()
for i in range (100000,5000000,100000):
work_queue.put(i)
processes=[Process(target=do_work, args=(work_queue,)) for i in range(8)]
for p in processes:
p.start()
for p in processes:
p.join()
答案 0 :(得分:5)
你的第一个while循环:
while i<=max:
if n%i==0:
return False
永远不会终止。您没有增加i
或减少max
,所以如果条件评估为真,它将始终为真。为什么这甚至在while循环中它应该只是if语句。
答案 1 :(得分:2)
如上所述,您的问题是第一个while循环。这是修复while循环问题的代码的简化版本,似乎可以执行您想要的操作,还有多个进程(使用池而不是队列):
import multiprocessing as mp
import math
def isprime(n):
if not isinstance(n,int):
raise TypeError("argument is not of int type")
if n<2:
return False
if n==2:
return True
max= int(math.ceil(math.sqrt(n)))
i=2
while i<=max:
if n%i==0:
return False
else:
i += 1
return True
def sum_primes(n):
return = sum([x for x in xrange(2,n) if isprime(x)])
if __name__=="__main__":
jobs = range(100000,500000,100000)
pool = mp.Pool()
post = pool.map(sum_primes, jobs)
pool.close()