我在python中执行函数作为线程。现在,程序将等待函数执行,然后在完成后终止。
我的目标是启动后台线程并关闭调用它的程序。 我们怎么做呢如下面的代码所示,线程将花费30分钟来执行。我想在调用线程后停止主程序并让线程在后台运行。
thread = threading.Thread(target=function_that_runs_for_30_min)
thread.start()
print "Thread Started"
quit()
答案 0 :(得分:3)
你不能直接这样做。线程只是进程的一部分。一旦进程退出,所有线程都消失了。您需要创建一个后台进程来实现这一目标。
您不能使用multiprocessing
模块,因为是一个支持产生进程的程序包使用类似于线程模块的API (强调我的)。因此,它没有规定允许进程在调用结束后运行。
我能想象的唯一方法是使用子进程模块重新启动带有特定参数的脚本。对于一个简单的用例,添加参数就足够了,对于更复杂的命令行参数,应该使用模块argparse
。代码示例:
import subprocess
import sys
# only to wait some time...
import time
def f(name):
"Function that could run in background for a long time (30')"
time.sleep(5)
print 'hello', name
if __name__ == '__main__':
if (len(sys.argv) > 1) and (sys.argv[1] == 'SUB'):
# Should be an internal execution: start the lengthy function
f('bar')
else:
# normal execution: start a subprocess with same script to launch the function
p = subprocess.Popen("%s %s SUB" % (sys.executable, sys.argv[0]))
# other processing...
print 'END of normal process'
执行:
C:\>python foo.py
END of normal process
C:\>
五秒钟后:
hello bar