问题在于: 我想创建一个程序,使用单个线程添加数字对。 这是代码:
import threading
from queue import Queue
print_lock = threading.Lock()
q = Queue()
numbers = [[235465645, 4345464565], [52546546546, 433453435234], [1397675464, 5321453657], [980875673, 831345465], [120938234, 289137856], [93249823837, 32874982837]]
def addition(pair):
num1 = pair[1]
num2 = pair[2]
total = num1 + num2
with print_lock:
print(num1, '+', num2, ':', total)
def threader():
while True:
pair = numbers.pop(0)
calculator = q.get()
addition(pair)
q.task_done()
for i in range(len(numbers)):
t = threading.Thread(target = threader)
t.daemon = True
t.start()
for i in range(len(numbers)):
q.put(i)
q.join()
但是当我运行程序时,我得到的只是两个空行。我不知道问题是什么。我正在使用版本3.4,如果这有任何帮助。
我非常感谢任何帮助。 谢谢, Muathasim Mohamed P
答案 0 :(得分:1)
......中的索引损坏:
def addition(pair):
num1 = pair[1]
num2 = pair[2]
(etc)
来自0
的Python索引,因此当len(pair)
为2时,pair[2]
会使用IndexError
来杀死该帖子。最好:
def addition(pair):
num1, num2 = pair
(etc)
所以你甚至不必回忆起关于Python索引的相当重要的细节 - 你只需将2项序列解压缩为两个标量,然后,关闭你去! - )