在使用 popen 函数的时候,如果不注意的话,可能会引起僵尸进程 defunct 的存在,虽然该进程不占用内存和 CPU,但是会在进程任务管理树上占用一个宝贵的节点。这样就造成了进程名额的资源浪费,所以一定得处理僵尸进程!
下面以 python 为例来说明:
python 脚本如下(zombie.py):
#!/usr/bin/env python #-*-encoding:UTF-8-*- import os import time import subprocess if __name__ == '__main__': p = subprocess.Popen('ls',shell=True,close_fds=True,bufsize=-1,stdout=subprocess.PIPE,stderr=subprocess.STDOUT) file = p.stdout.readlines() for i in range(0, len(file)): print file[i] #end for while True: time.sleep(1) #end while #end if
运行结果如下:
我们用 top 命令查看此时有没有僵尸进程,结果如下:
用 ps axf 命令查看具体的僵尸进程,结果如下:
查看相关资料后发现,在使用 popen 函数后,需要调用 wait 函数(等待子进程中断或结束),否则就会产生僵尸进程,于是上面的代码做了简单修改
#!/usr/bin/env python #-*-encoding:UTF-8-*- import os import time import subprocess if __name__ == '__main__': p = subprocess.Popen('ls',shell=True,close_fds=True,bufsize=-1,stdout=subprocess.PIPE,stderr=subprocess.STDOUT) file = p.stdout.readlines() p.wait() # 添加 wait 函数 for i in range(0, len(file)): print file[i] #end for while True: time.sleep(1) #end while #end if
执行结果不变,但是使用 top 名令查看僵尸进程的个数,结果如下:
使用 ps axf 命令查看结果如下:
并无僵尸进程。
介绍下 wait() 函数的功能:
wait() 会暂时停止目前进程的执行,直到有信号来到或子进程结束。如果在调用 wait() 时子进程已经结束,则 wait() 会立即返回子进程结束状态值。子进程的结束状态值会由参数 status 返回,而子进程的进程识别码也会一快返回。
有些资料也说 waitpid() 函数也可以解决该问题,我没有去尝试,有兴趣的朋友可以尝试一下,也希望一起分享结果。
参考:
http://www.csdn123.com/html/blogs/20130619/23994.htm
http://zhiwei.li/text/2010/05/python-%E9%87%8C%E7%94%A8subprocess%E7%9A%84-popen-%E6%9D%A5%E5%86%99webshell/