Python线程死锁

时间:2012-05-25 20:25:49

标签: python multithreading deadlock

我有两个线程(生产者和消费者),我与Queue共享数据。问题是,当我强行中止生产者时,消费者有时会锁定。

我在文档中读到,使用队列取消线程可能会破坏队列并导致死锁。我没有明确获取任何锁,但是阅读Queue.py的来源说putget正在这样做。

请问,有没有人知道可能是这样的情况,当我中止线程时,它可能在get / put的中间,即使用锁然后不释放它?我能做些什么呢?我有时需要提前终止生产者。使用流程而不是线程会有什么不同吗?

2 个答案:

答案 0 :(得分:0)

很可能你的僵局是由于未完成的线程。如果你有linux,你可以使用pyrasite的注入器来打印回溯(你会知道你编程的位置)

如果你在信号处理程序中使用任何锁 - 那么这可能就是你的死锁 (这有点复杂,请询问您是否需要解释)

创建进程而不是线程肯定会改变情况,但请记住,任何数据交换和同步都非常复杂。

答案 1 :(得分:0)

也许这会有所帮助:

import threading

class MyQueue:
    def __init__(self):
        self.tasks = []
        self.tlock = threading.Semaphore(0)
        self.dlock = threading.Lock()
        self.aborted = False

    def put(self, arg):
        try:
            self.dlock.acquire()
            self.tasks.append(arg)
        finally:
            self.dlock.release()
            self.tlock.release()

    def get(self):
        if self.aborted:
            return None
        self.tlock.acquire()
        if self.aborted:
            self.tlock.release()
            return None
        try:
            self.dlock.acquire()
            if self.tasks:
                return self.tasks.pop()
            else: # executed abort
                return None
        finally:
            self.dlock.release()

    def abort(self):
        self.aborted = True
        self.tlock.release()

# TESTING

mq = MyQueue()
import sys

def tlog(line):
    sys.stdout.write("[ %s ] %s\n" % (threading.currentThread().name, line))
    sys.stdout.flush()

def reader():
    arg = 1
    while arg is not None:
        tlog("start reading")
        arg = mq.get()
        tlog("read: %s" % arg)
    tlog("END")

import time, random
def writer():
    try:
        pos = 1
        while not mq.aborted:
            x = random.random() * 5
            tlog("writer sleep (%s)" % x)
            pending = x
            while pending > 0:
                tosleep = min(0.5, pending)
                if mq.aborted:
                    return
                time.sleep(tosleep)
                pending -= tosleep

            tlog("write: %s" % x)
            mq.put("POS %s  val=%s" % (pos, x))
            pos += 1
    finally:
        tlog("writer END")

def testStart():
    try:
        for i in xrange(9):
            th = threading.Thread(None, reader, "reader %s" % i, (), {}, None)
            th.start()
        for i in xrange(3):
            th = threading.Thread(None, writer, "writer %s" % i, (), {}, None)
            th.start()
        time.sleep(30) # seconds for testing
    finally:
        print "main thread: abort()"
        mq.abort()

if __name__ == "__main__":
    testStart()