在Python中,你可以使用subprocess
模块来执行外部命令并处理命令执行中的信号
import subprocess import signal def handle_signal(signum, frame): print(f"Signal {signum} received, terminating the subprocess...") # 在这里你可以执行其他操作,例如清理资源等 raise SystemExit(signum) # 注册信号处理函数 signal.signal(signal.SIGTERM, handle_signal) signal.signal(signal.SIGINT, handle_signal) # 使用subprocess执行外部命令 cmd = "sleep 10" # 这里可以替换为你想要执行的外部命令 process = subprocess.Popen(cmd, shell=True) try: process.wait() except SystemExit as e: print(f"Subprocess terminated with code {e}")
在这个示例中,我们首先导入了subprocess
和signal
模块。然后,我们定义了一个名为handle_signal
的信号处理函数,该函数将在接收到指定的信号时被调用。在这个函数中,我们可以执行任何需要的操作,例如清理资源等。
接下来,我们使用signal.signal()
函数注册了handle_signal
函数作为SIGTERM
和SIGINT
信号的处理函数。这意味着当这些信号被发送给Python进程时,它们将被handle_signal
函数处理。
最后,我们使用subprocess.Popen()
函数执行了一个外部命令(在这个示例中是sleep 10
),并使用process.wait()
等待命令执行完成。如果命令被信号终止,process.wait()
将引发一个SystemExit
异常,我们可以在except
块中捕获并处理它。