dig*_*emy 8 python bash ping python-2.7
所以,我正在尝试使用python获得与使用bash脚本类似的结果.
bash脚本的代码:
    #!/bin/bash
    for ip in $(seq 1 254); do
        ping -c 1 10.10.10.$ip | grep "bytes from" | cut -d " " -f 4 | cut -d ":" -f 1 &
    done
我想做的是以相似的速度获得相同的结果.我对每个版本的python脚本所遇到的问题是,与批处理脚本所花费的几秒钟相比,它需要很长时间才能完成.
批处理文件大约需要2秒来扫描一个/ 24网络,而我可以用python脚本获得的最佳时间大约为5-8分钟.
最新版本的python脚本:
import subprocess
cmdping = "ping -c1 10.10.10."
for x in range (2,255):
    p = subprocess.Popen(cmdping+str(x), shell=True, stderr=subprocess.PIPE)
    while True:
        out = p.stderr.read(1)
        if out == '' and p.poll() != None:
            break
        if out != '':
            sys.stdout.write(out)
            sys.stdout.flush()
我在python中尝试了几种不同的方法,但是无法接近bash脚本的速度.
有什么建议?
moj*_*ojo 18
#!/usr/bin/python2
import multiprocessing
import subprocess
import os
def pinger( job_q, results_q ):
    DEVNULL = open(os.devnull,'w')
    while True:
        ip = job_q.get()
        if ip is None: break
        try:
            subprocess.check_call(['ping','-c1',ip],
                                  stdout=DEVNULL)
            results_q.put(ip)
        except:
            pass
if __name__ == '__main__':
    pool_size = 255
    jobs = multiprocessing.Queue()
    results = multiprocessing.Queue()
    pool = [ multiprocessing.Process(target=pinger, args=(jobs,results))
             for i in range(pool_size) ]
    for p in pool:
        p.start()
    for i in range(1,255):
        jobs.put('192.168.1.{0}'.format(i))
    for p in pool:
        jobs.put(None)
    for p in pool:
        p.join()
    while not results.empty():
        ip = results.get()
        print(ip)