我的编程空间,编程开发者的网络收藏夹
学习永远不晚

利用python实现IP扫描

短信预约 -IT技能 免费直播动态提醒
省份

北京

  • 北京
  • 上海
  • 天津
  • 重庆
  • 河北
  • 山东
  • 辽宁
  • 黑龙江
  • 吉林
  • 甘肃
  • 青海
  • 河南
  • 江苏
  • 湖北
  • 湖南
  • 江西
  • 浙江
  • 广东
  • 云南
  • 福建
  • 海南
  • 山西
  • 四川
  • 陕西
  • 贵州
  • 安徽
  • 广西
  • 内蒙
  • 西藏
  • 新疆
  • 宁夏
  • 兵团
手机号立即预约

请填写图片验证码后获取短信验证码

看不清楚,换张图片

免费获取短信验证码

利用python实现IP扫描

    需求:写一个脚本,判断192.168.11.0/24网络里,当前在线ip有哪些?

    知识点:

    1 使用subprocess模块,来调用系统命令,执行ping 192.168.11.xxx 命令

    2 调用系统命令执行ping命令的时候,会有返回值(ping的结果),需要用到stdout=fnull, stderr=fnull方法,屏蔽系统执行命令的返回值

     

    常规版本(代码)

    import os
    import time
    import subprocess
    def ping_call():
        start_time = time.time()
        fnull = open(os.devnull, 'w')
        for i in range(1, 256):
            ipaddr = 'ping 192.168.11.' + str(i)
            result = subprocess.call(ipaddr + ' -n 2', shell=True, stdout=fnull, stderr=fnull)
            current_time = time.strftime('%Y%m%d-%H:%M:%S', time.localtime())
            if result:
                print('时间:{} ip地址:{} ping fall'.format(current_time, ipaddr))
            else:
                print('时间:{} ip地址:{} ping ok'.format(current_time, ipaddr))
        print('程序耗时{:.2f}'.format(time.time() - start_time))
        fnull.close()
    ping_call()

    执行效果:

    blob.png


    上面的执行速度非常慢,怎么能让程序执行速度快起来?

    python提供了进程,线程,协程。分别用这三个对上面代码改进,提高执行效率,测试一波效率


    进程池异步执行 -- 开启20个进程

    import os
    import time
    import subprocess
    from multiprocessing import Pool
    def ping_call(num):
        fnull = open(os.devnull, 'w')
        ipaddr = 'ping 192.168.11.' + str(num)
        result = subprocess.call(ipaddr + ' -n 2', shell=True, stdout=fnull, stderr=fnull)
        current_time = time.strftime('%Y%m%d-%H:%M:%S', time.localtime())
        if result:
            print('时间:{} ip地址:{} ping fall'.format(current_time, ipaddr))
        else:
            print('时间:{} ip地址:{} ping ok'.format(current_time, ipaddr))
    
        fnull.close()
    
    
    if __name__ == '__main__':
        start_time = time.time()
        p = Pool(20)
        res_l = []
        for i in range(1, 256):
            res = p.apply_async(ping_call, args=(i,))
            res_l.append(res)
        for res in res_l:
            res.get()
        print('程序耗时{:.2f}'.format(time.time() - start_time))

    执行结果:

    blob.png



    线程池异步执行 -- 开启20个线程

    import os
    import time
    import subprocess
    from concurrent.futures import ThreadPoolExecutor
    def ping_call(num):
        fnull = open(os.devnull, 'w')
        ipaddr = 'ping 192.168.11.' + str(num)
        result = subprocess.call(ipaddr + ' -n 2', shell=True, stdout=fnull, stderr=fnull)
        current_time = time.strftime('%Y%m%d-%H:%M:%S', time.localtime())
        if result:
            print('时间:{} ip地址:{} ping fall'.format(current_time, ipaddr))
        else:
            print('时间:{} ip地址:{} ping ok'.format(current_time, ipaddr))
        fnull.close()
    
    if __name__ == '__main__':
        start_time = time.time()
        thread_pool = ThreadPoolExecutor(20)
        ret_lst = []
        for i in range(1, 256):
            ret = thread_pool.submit(ping_call, i)
            ret_lst.append(ret)
        thread_pool.shutdown()
        for ret in ret_lst:
            ret.result()
        print('线程池(20)异步-->耗时{:.2f}'.format(time.time() - start_time))

    执行结果:

    blob.png



    协程执行---(执行多个任务,遇到I/O操作就切换)

    使用gevent前,需要pip install gevent

    from gevent import monkey;monkey.patch_all()
    import gevent
    import os
    import time
    import subprocess
    
    def ping_call(num):
        fnull = open(os.devnull, 'w')
        ipaddr = 'ping 192.168.11.' + str(num)
        result = subprocess.call(ipaddr + ' -n 2', shell=True, stdout=fnull, stderr=fnull)
        current_time = time.strftime('%Y%m%d-%H:%M:%S', time.localtime())
        if result:
            print('时间:{} ip地址:{} ping fall'.format(current_time, ipaddr))
        else:
            print('时间:{} ip地址:{} ping ok'.format(current_time, ipaddr))
        fnull.close()
    
    def asynchronous(): # 异步
        g_l = [gevent.spawn(ping_call, i) for i in range(1, 256)]
        gevent.joinall(g_l)
    
    if __name__ == '__main__':
        start_time = time.time()
        asynchronous()
        print('协程执行-->耗时{:.2f}'.format(time.time() - start_time))

    执行结果:

    blob.png


    遇到I/O操作,协程的效率比进程,线程高很多!

    总结:python中,涉及到I/O阻塞的程序中,使用协程的效率最高


    最后附带协程池代码

    gevent.pool

    from gevent import monkey;monkey.patch_all()
    import gevent
    import os
    import time
    import subprocess
    import gevent.pool
    
    def ping_call(num):
        fnull = open(os.devnull, 'w')
        ipaddr = 'ping 192.168.11.' + str(num)
        result = subprocess.call(ipaddr + ' -n 2', shell=True, stdout=fnull, stderr=fnull)
        current_time = time.strftime('%Y%m%d-%H:%M:%S', time.localtime())
        if result:
            print('时间:{} ip地址:{} ping fall'.format(current_time, ipaddr))
        else:
            print('时间:{} ip地址:{} ping ok'.format(current_time, ipaddr))
        fnull.close()
    
    if __name__ == '__main__':
        start_time = time.time()
        res_l = []
        p = gevent.pool.Pool(100)
        for i in range(1, 256):
            res_l.append(p.spawn(ping_call, i))
        gevent.joinall(res_l)
        print('协程池执行-->耗时{:.2f}'.format(time.time() - start_time))

    执行结果:

    blob.png

     欢迎大家一起来玩好PY,一起交流。QQ群:198447500

免责声明:

① 本站未注明“稿件来源”的信息均来自网络整理。其文字、图片和音视频稿件的所属权归原作者所有。本站收集整理出于非商业性的教育和科研之目的,并不意味着本站赞同其观点或证实其内容的真实性。仅作为临时的测试数据,供内部测试之用。本站并未授权任何人以任何方式主动获取本站任何信息。

② 本站未注明“稿件来源”的临时测试数据将在测试完成后最终做删除处理。有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341

利用python实现IP扫描

下载Word文档到电脑,方便收藏和打印~

下载Word文档

猜你喜欢

利用python实现IP扫描

需求:写一个脚本,判断192.168.11.0/24网络里,当前在线ip有哪些?知识点:1 使用subprocess模块,来调用系统命令,执行ping 192.168.11.xxx 命令2 调用系统命令执行ping命令的时候,会有返回值(p
2023-01-31

Python利用tkinter和socket实现端口扫描

这篇文章主要为大家详细介绍了Python如何利用tkinter和socket实现端口扫描功能,文中的示例代码讲解详细,感兴趣的小伙伴可以尝试一下
2022-12-08

python实现局域网ip地址扫描

python 遍历局域网ip从知道python开始,我的视线里就没缺少过他。尤其是现如今开发语言大有傻瓜化的趋势。而作为这一趋势的领导,脚本语言就显得格外亮眼。不管是python还是ruby,perl,都火的不得了。就连java都出了个脚本
2023-01-31

Python利用socket实现多进程的端口扫描器

作为开发人员经常需要查看服务的端口开启状态判断服务是否宕机。特别是部署的服务比较多的情况下,可能存在几个甚至几十个服务端口的占用。所以本文将利用socket实现多进程的端口扫描器,需要的可以参考一下
2022-12-08

MATLAB 实现zigzag扫描(z字形扫描)

Zigzag扫描(也称为Z字形扫描)是一种图像编码技术,用于将二维矩阵中的元素按照特定的顺序排列。以下是MATLAB实现Zigzag扫描的代码示例:```matlabfunction zigzag = zigzagScan(matrix)[
2023-10-12

调用python-nmap实现扫描局域网

使用环境:Raspberry 3b+ +netifaces+python-nmap+nmap调用netifaces自动获取ip地址:def get_gateways(): return netifaces.gateways()['de
2023-01-30

利用python写的web路径扫描工具

本篇内容介绍了“利用python写的web路径扫描工具”的有关知识,在实际案例的操作过程中,不少人都会遇到这样的困境,接下来就让小编带领大家学习一下如何处理这些情况吧!希望大家仔细阅读,能够学有所成!现成的WEB路径扫描工具颇多,但都不尽如
2023-06-17

Python实现对网站目录扫描

一个很简单的版本,以后会做进一步的修改:多线程,从文件中读取,跟据Head头判断等等.需要提供一个网站和不存在页面的错误提示CODE:#!/usr/bin/env python# -*- coding:utf-8 -*-import url
2023-01-31

python扫描ip的端口打开情况

我们的韩国bss系统上线之后,要求对主机的端口、资源使用进行统计,端口每个主机去看,太费劲了,所以,就写了这样一个小程序,不是很完美但是,可以用啊!哈哈哈,别喷,本人是个菜鸟#!/usr/bin/python# -*- coding:utf
2023-01-31

Python怎么用tkinter和socket实现端口扫描

这篇文章主要介绍“Python怎么用tkinter和socket实现端口扫描”,在日常操作中,相信很多人在Python怎么用tkinter和socket实现端口扫描问题上存在疑惑,小编查阅了各式资料,整理出简单好用的操作方法,希望对大家解答
2023-07-04

Python调用PC摄像头实现扫描二维码

PC摄像机扫描二维码的应用场景很广泛,可以应用于各种需要快速扫描、识别和管理的场景,本文就来具体讲讲如何用Python实现这一功能吧
2023-05-19

用Python实现一个端口扫描,只需简单

0、秘密扫描秘密扫描是一种不被审计工具所检测的扫描技术。它通常用于在通过普通的防火墙或路由器的筛选(filtering)时隐藏自己。秘密扫描能躲避IDS、防火墙、包过滤器和日志审计,从而获取目标端口的开放或关闭的信息。由于没有包含TCP 3
2023-01-30

编程热搜

  • Python 学习之路 - Python
    一、安装Python34Windows在Python官网(https://www.python.org/downloads/)下载安装包并安装。Python的默认安装路径是:C:\Python34配置环境变量:【右键计算机】--》【属性】-
    Python 学习之路 - Python
  • chatgpt的中文全称是什么
    chatgpt的中文全称是生成型预训练变换模型。ChatGPT是什么ChatGPT是美国人工智能研究实验室OpenAI开发的一种全新聊天机器人模型,它能够通过学习和理解人类的语言来进行对话,还能根据聊天的上下文进行互动,并协助人类完成一系列
    chatgpt的中文全称是什么
  • C/C++中extern函数使用详解
  • C/C++可变参数的使用
    可变参数的使用方法远远不止以下几种,不过在C,C++中使用可变参数时要小心,在使用printf()等函数时传入的参数个数一定不能比前面的格式化字符串中的’%’符号个数少,否则会产生访问越界,运气不好的话还会导致程序崩溃
    C/C++可变参数的使用
  • css样式文件该放在哪里
  • php中数组下标必须是连续的吗
  • Python 3 教程
    Python 3 教程 Python 的 3.0 版本,常被称为 Python 3000,或简称 Py3k。相对于 Python 的早期版本,这是一个较大的升级。为了不带入过多的累赘,Python 3.0 在设计的时候没有考虑向下兼容。 Python
    Python 3 教程
  • Python pip包管理
    一、前言    在Python中, 安装第三方模块是通过 setuptools 这个工具完成的。 Python有两个封装了 setuptools的包管理工具: easy_install  和  pip , 目前官方推荐使用 pip。    
    Python pip包管理
  • ubuntu如何重新编译内核
  • 改善Java代码之慎用java动态编译

目录