在 python 中使用上下文管理器使进程超时

Time out a process with context manager in python

我正在尝试编写一个上下文管理器来使进程超时,我有以下内容:

import threading
import _thread
import time
from contextlib import contextmanager

@contextmanager
def raise_timeout(timeout):
    timer = threading.Timer(timeout, _thread.interrupt_main)
    timer.start()

    try:
        yield
    except:
        print(f"timeout after {timeout} seconds")
        raise
    finally:
        timer.cancel()

with raise_timeout(1):
    time.sleep(5)

问题是当达到超时时,它仍然会等待 time.sleep(5) 完成才能引发异常。当我 运行 脚本时,我等待了 5 秒,然后在终端中得到以下输出:

> timeout after 1 seconds Traceback (most recent call last):   File
> "scratch1.py",
> line xx, in <module>
>     time.sleep(5) KeyboardInterrupt

但是如果我直接如下 运行 计时器,我在 1 秒超时后立即得到异常。

timer = threading.Timer(1, _thread.interrupt_main)
timer.start()

我只是想知道 with 语句中的进程如何阻止异常直到它完成?

我认为您的 Timer 解决方案不起作用,因为 time.sleep 在调用 _thread.interrupt_main() 时没有被杀死。

_thread 文档对它的功能提出了建议:

Threads interact strangely with interrupts: the KeyboardInterrupt exception will be received by an arbitrary thread. (When the signal module is available, interrupts always go to the main thread.)

尽管 issue on Python's bug tracker 表明 _thread.interrupt_main() 的文档不准确。

应该注意的是,在一个较长的 运行 过程中替代 time.sleep 您的上下文管理器按预期工作。

尝试:

with raise_timeout(1):
    for _ in range(1_000_000_000):
        pass

它会引发 KeyboardInterrupt


如果可移植性不是问题,这里有一个使用 signal 的解决方案,它仅在 Unix 上可用,因为它使用 SIGALARM.

import signal
import time
from contextlib import contextmanager

class TimeOutException(Exception):
    pass

@contextmanager
def raise_timeout(timeout):
    def _handler(signum, frame):
        raise TimeOutException()
    signal.signal(signal.SIGALRM, _handler)
    signal.alarm(timeout)

    try:
        yield
    except TimeOutException:
        print(f"Timeout after {timeout} seconds")
        raise
    finally:
        signal.alarm(0)

with raise_timeout(1):
    time.sleep(2)

这将引发 TimeOutException