長時間Shell 腳本函數的超時實現
在shell 腳本編寫中,您可能會遇到某些函數執行時間過長,導致延遲的情況甚至無限循環。為了防止這種情況,如果這些函數未能在指定的時間範圍內完成,通常會實作逾時來終止這些函數。
一個有效的方法是使用非同步計時器來強制逾時。透過設定計時器,如果超過指定的持續時間,您可以終止函數,確保腳本繼續如預期執行。
要實現這一點,您可以利用 Python 提供的訊號模組。以下是定義超時裝飾器來包裝函數的方法:
import signal import functools class TimeoutError(Exception): pass def timeout(seconds=10, error_message=os.strerror(errno.ETIME)): def decorator(func): def _handle_timeout(signum, frame): raise TimeoutError(error_message) @functools.wraps(func) def wrapper(*args, **kwargs): signal.signal(signal.SIGALRM, _handle_timeout) signal.alarm(seconds) try: result = func(*args, **kwargs) finally: signal.alarm(0) return result return wrapper return decorator
一旦有了超時裝飾器,您就可以將其應用於您想要在設定的超時後終止的任何函數。例如,如果你有一個名為long_running_function 的函數,你想在10 秒後超時,你可以如下裝飾它:
from timeout import timeout @timeout def long_running_function(): ...
透過使用超時裝飾器,你可以有效地防止你的shell 腳本函數因長期執行而被無限期絞死。這種方法可確保腳本繼續執行,而不會出現不必要的延遲或中斷。
以上是如何為長時間運行的 Shell 腳本函數實作逾時?的詳細內容。更多資訊請關注PHP中文網其他相關文章!