我想使用子进程来运行程序,我需要限制执行时间。例如,如果运行时间超过2秒,我想杀死它。
对于常见程序,kill()运行良好。但是如果我尝试运行/usr/bin/time something
,kill()就不能真正杀死程序。
我的代码似乎不太好用。该程序仍在运行。
import subprocess
import time
exec_proc = subprocess.Popen("/usr/bin/time -f \"%e\\n%M\" ./son > /dev/null", stdout = subprocess.PIPE, stderr = subprocess.STDOUT, shell = True)
max_time = 1
cur_time = 0.0
return_code = 0
while cur_time <= max_time:
if exec_proc.poll() != None:
return_code = exec_proc.poll()
break
time.sleep(0.1)
cur_time += 0.1
if cur_time > max_time:
exec_proc.kill()
答案 0 :(得分:9)
如果您使用的是Python 2.6或更高版本,则可以使用multiprocessing模块。
from multiprocessing import Process
def f():
# Stuff to run your process here
p = Process(target=f)
p.start()
p.join(timeout)
if p.is_alive():
p.terminate()
实际上,多处理是此任务的错误模块,因为它只是一种控制线程运行时间的方法。您无法控制线程可能运行的任何子级。正如奇点所暗示的那样,使用signal.alarm是正常的做法。
import signal
import subprocess
def handle_alarm(signum, frame):
# If the alarm is triggered, we're still in the exec_proc.communicate()
# call, so use exec_proc.kill() to end the process.
frame.f_locals['self'].kill()
max_time = ...
stdout = stderr = None
signal.signal(signal.SIGALRM, handle_alarm)
exec_proc = subprocess.Popen(['time', 'ping', '-c', '5', 'google.com'],
stdin=None, stdout=subprocess.PIPE,
stderr=subprocess.STDOUT)
signal.alarm(max_time)
try:
(stdout, stderr) = exec_proc.communicate()
except IOError:
# process was killed due to exceeding the alarm
finally:
signal.alarm(0)
# do stuff with stdout/stderr if they're not None
答案 1 :(得分:3)
在命令行中这样做:
perl -e 'alarm shift @ARGV; exec @ARGV' <timeout> <your_command>
这将运行命令<your_command>
并在<timeout>
秒内终止。
一个虚拟的例子:
# set time out to 5, so that the command will be killed after 5 second
command = ['perl', '-e', "'alarm shift @ARGV; exec @ARGV'", "5"]
command += ["ping", "www.google.com"]
exec_proc = subprocess.Popen(command)
或者你可以使用signal.alarm()如果你想使用python但它是一样的。
答案 2 :(得分:0)
我使用os.kill()但不确定它是否适用于所有操作系统 随后是伪代码,请参阅Doug Hellman页面。
proc = subprocess.Popen(['google-chrome'])
os.kill(proc.pid, signal.SIGUSR1)</code>