Python判断网络有没有通的方法是什么
Admin 2022-08-31 群英技术资讯 482 次浏览
这篇文章将为大家详细讲解有关“Python判断网络有没有通的方法是什么”的知识,小编觉得挺实用的,因此分享给大家做个参考,希望大家阅读完这篇文章后可以有所收获。提供两种方法:
netstats.py
# -*- coding: gbk -*-
import myarp
import os
class netStatus:
def internet_on(self,ip="192.168.150.1"):
os.system("arp -d 192.168.150.1")
if myarp.arp_resolve(ip, 0) == 0: #使用ARP ping的方法
return True
else:
return False
def ping_netCheck(self, ip): #直接ping的方法
os.system("arp -d 192.168.150.1")
cmd = "ping " +str(ip) + " -n 2"
exit_code = os.system(cmd)
if exit_code:
return False
return True
if __name__ == "__main__":
net = netStatus()
print net.ping_netCheck("192.168.150.2")
myarp.py(这个是从ARP模块改来的)
"""
ARP / RARP module (version 1.0 rev 9/24/2011) for Python 2.7
Copyright (c) 2011 Andreas Urbanski.
Contact the me via e-mail: urbanski.andreas@gmail.com
This module is a collection of functions to send out ARP (or RARP) queries
and replies, resolve physical addresses associated with specific ips and
to convert mac and ip addresses to different representation formats. It
also allows you to send out raw ethernet frames of your preferred protocol
type. DESIGNED FOR USE ON WINDOWS.
NOTE: Some functions in this module use winpcap for windows. Please make
sure that wpcap.dll is present in your system to use them.
LICENSING:
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see <http://www.gnu.org/licenses/>
"""
__all__ = ['showhelp', 'find_device', 'open_device', 'close_device', 'send_raw',
'multisend_raw', 'arp_resolve', 'arp_reply', 'rarp_reply', 'mac_straddr',
'ip_straddr', 'ARP_REQUEST', 'ARP_REPLY', 'RARP_REQUEST', 'RARP_REPLY',
'FRAME_SAMPLE']
""" Set this to True you wish to see warning messages """
__warnings__ = False
from ctypes import *
import socket
import struct
import time
FRAME_SAMPLE = """
Sample ARP frame
+-----------------+------------------------+
| Destination MAC | Source MAC |
+-----------------+------------------------+
| \\x08\\x06 (arp) | \\x00\\x01 (ethernet) |
+-----------------+------------------------+
| \\x08\\x00 (internet protocol) |
+------------------------------------------+
| \\x06\\x04 (hardware size & protocol size) |
+------------------------------------------+
| \\x00\\x02 (type: arp reply) |
+------------+-----------+-----------------+
| Source MAC | Source IP | Destination MAC |
+------------+---+-------+-----------------+
| Destination IP | ... Frame Length: 42 ...
+----------------+
"""
""" Frame header bytes """
ARP_REQUEST = "\x08\x06\x00\x01\x08\x00\x06\x04\x00\x01"
ARP_REPLY = "\x08\x06\x00\x01\x08\x00\x06\x04\x00\x02"
RARP_REQUEST = "\x80\x35\x00\x01\x08\x00\x06\x04\x00\x03"
RARP_REPLY = "\x80\x35\x00\x01\x08\x00\x06\x04\x00\x04"
""" Defines """
ARP_LENGTH = 42
RARP_LENGTH = 42
DEFAULT = 0
""" Look for wpcap.dll """
try:
wpcap = cdll.wpcap
except WindowsError:
print "Error loading wpcap.dll! Ensure that winpcap is properly installed."
""" Loading Windows system libraries should not be a problem """
try:
iphlpapi = windll.Iphlpapi
ws2_32 = windll.ws2_32
except WindowsError:
""" Should it still fail """
print "Error loading windows system libraries!"
""" Import functions """
if wpcap:
""" Looks up for devices """
pcap_lookupdev = wpcap.pcap_lookupdev
""" Opens a device instance """
popen_live = wpcap.pcap_open_live
""" Sends raw ethernet frames """
pcap_sendpacket = wpcap.pcap_sendpacket
""" Close and cleanup """
pcap_close = wpcap.pcap_close
""" Find the first device available for use. If this fails
to retrieve the preferred network interface identifier,
disable all other interfaces and it should work."""
def find_device():
errbuf = create_string_buffer(256)
device = c_void_p
device = pcap_lookupdev(errbuf)
return device
""" Get the handle to a network device. """
def open_device(device=DEFAULT):
errbuf = create_string_buffer(256)
if device == DEFAULT:
device = find_device()
""" Get a handle to the ethernet device """
eth = popen_live(device, 4096, 1, 1000, errbuf)
return eth
""" Close the device handle """
def close_device(device):
pcap_close(device)
""" Send a raw ethernet frame """
def send_raw(device, packet):
if not pcap_sendpacket(device, packet, len(packet)):
return len(packet)
""" Send a list of packets at the specified interval """
def multisend_raw(device, packets=[], interval=0):
""" Bytes sent """
sent = 0
for p in packets:
sent += len(p)
send_raw(device, p)
time.sleep(interval)
""" Return the number of bytes sent"""
return sent
""" Resolve the mac address associated with the
destination ip address"""
def arp_resolve(destination, strformat=True, source=None):
mac_addr = (c_ulong * 2)()
addr_len = c_ulong(6)
dest_ip = ws2_32.inet_addr(destination)
if not source:
src_ip = ws2_32.inet_addr(socket.gethostbyname(socket.gethostname()))
else:
src_ip = ws2_32.inet_addr(source)
"""
Iphlpapi SendARP prototype
DWORD SendARP(
__in IPAddr DestIP,
__in IPAddr SrcIP,
__out PULONG pMacAddr,
__inout PULONG PhyAddrLen
);
"""
error = iphlpapi.SendARP(dest_ip, src_ip, byref(mac_addr), byref(addr_len))
return error
""" Send a (gratuitous) ARP reply """
def arp_reply(dest_ip, dest_mac, src_ip, src_mac):
""" Test input formats """
if dest_ip.find('.') != -1:
dest_ip = ip_straddr(dest_ip)
if src_ip.find('.') != -1:
src_ip = ip_straddr(src_ip)
""" Craft the arp packet """
arp_packet = dest_mac + src_mac + ARP_REPLY + src_mac + src_ip + \
dest_mac + dest_ip
if len(arp_packet) != ARP_LENGTH:
return -1
return send_raw(open_device(), arp_packet)
""" Include RARP for consistency :)"""
def rarp_reply(dest_ip, dest_mac, src_ip, src_mac):
""" Test input formats """
if dest_ip.find('.') != -1:
dest_ip = ip_straddr(dest_ip)
if src_ip.find('.') != -1:
src_ip = ip_straddr(src_ip)
""" Craft the rarp packet """
rarp_packet = dest_mac + src_mac + RARP_REPLY + src_mac + src_ip + \
src_mac + src_ip
if len(rarp_packet) != RARP_LENGTH:
return -1
return send_raw(open_device(), rarp_packet)
""" Convert c_ulong*2 to a hexadecimal string or a printable ascii
string delimited by the 3rd parameter"""
def mac_straddr(mac, printable=False, delimiter=None):
""" Expect a list of length 2 returned by arp_query """
if len(mac) != 2:
return -1
if printable:
if delimiter:
m = ""
for c in mac_straddr(mac):
m += "%02x" % ord(c) + delimiter
return m.rstrip(delimiter)
return repr(mac_straddr(mac)).strip("\'")
return struct.pack("L", mac[0]) + struct.pack("H", mac[1])
""" Convert address in an ip dotted decimal format to a hexadecimal
string """
def ip_straddr(ip, printable=False):
ip_l = ip.split(".")
if len(ip_l) != 4:
return -1
if printable:
return repr(ip_straddr(ip)).strip("\'")
return struct.pack(
"BBBB",
int(ip_l[0]),
int(ip_l[1]),
int(ip_l[2]),
int(ip_l[3])
)
def showhelp():
helpmsg = """ARP MODULE HELP (Press ENTER for more or CTRL-C to break)
Constants:
Graphical representation of an ARP frame
FRAME_SAMPLE
Headers for crafting ARP / RARP packets
ARP_REQUEST, ARP_REPLY, RARP_REQUEST, RARP_REPLY
Other
ARP_LENGTH, RARP_LENGTH, DEFAULT
Functions:
find_device() - Returns an identifier to the first available network
interface.
open_device(device=DEFAULT) - Returns a handle to an available network
device.
close_device() - Close the previously opened handle.
send_raw(device, packet) - Send a raw ethernet frame. Returns
the number of bytes sent.
multisend_raw(device, packetlist=[], interval=0) - Send multiple packets
across a network at the specified interval. Returns the number of bytes
sent.
arp_resolve(destination, strformat=True, source=None) - Returns the mac
address associated with the ip specified by 'destination'. The destination
ip is supplied in dotted decimal string format. strformat parameter
specifies whether the return value is in a hexadecimal string format or
in list format (c_ulong*2) which can further be formatted using
the 'mac_straddr' function (see below). 'source' specifies the ip address
of the sender, also supplied in dotted decimal string format.
arp_reply(dest_ip, dest_mac, src_ip, src_mac) - Send gratuitous ARP
replies. This can be used for ARP spoofing if the parameters are chosen
correctly. dest_ip is the destination ip in either dotted decimal
string format or hexadecimal string format (returned by 'ip_straddr').
dest_mac is the destination mac address and must be in hexadecimal
string format. If 'arp_resolve' is used with strformat=True the return
value can be used directly. src_ip specifies the ip address of the
sender and src_mac the mac address of the sender.
rarp_reply(dest_ip, dest_mac, src_ip, src_mac) - Send gratuitous RARP
replies. Operates similar to 'arp_reply'.
mac_straddr(mac, printable=False, delimiter=None) - Convert a mac
address in list format (c_ulong*2) to normal hexadecimal string
format or printable format. Alternatively a delimiter can be specified
for printable formats, e.g ':' for ff:ff:ff:ff:ff:ff.
ip_straddr(ip, printable=False) - Convert an ip address in
dotted decimal string format to hexadecimal string format. Alternatively
this function can output a printable representation of the hex
string format.
"""
for line in helpmsg.split('\n'):
print line,
raw_input('')
if __name__ == "__main__":
""" Test the module by sending an ARP query """
ip = "10.0.0.8"
result = arp_resolve(ip, 0)
print ip, "is at", mac_straddr(result, 1, ":")
第一种
import socket ipaddress = socket.gethostbyname(socket.gethostname()) if ipaddress == '127.0.0.1': return False else: return True
缺点:如果IP是静态配置,无法使用,因为就算断网,返回的也是配置的静态IP
第二种
import urllib3
try:
http = urllib3.PoolManager()
http.request('GET', 'https://baidu.com')
return True
except as e:
return False
第三种
import os
ret = os.system("ping baidu.com -n 1")
return True if res == 0 else False
第四种
import subprocess
import os
ret = subprocess.run("ping baidu.com -n 1", shell=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
return True if ret.returncode == 200 else False
免责声明:本站发布的内容(图片、视频和文字)以原创、转载和分享为主,文章观点不代表本网站立场,如果涉及侵权请联系站长邮箱:mmqy2019@163.com进行举报,并提供相关证据,查实之后,将立刻删除涉嫌侵权内容。
猜你喜欢
这篇文章主要为大家介绍了如何利用Python实现将多张图片合成mp4视频,并加入背景音乐。文中的示例代码讲解详细,感兴趣的小伙伴可以了解一下
利用python解决问题的过程中,经常会遇到从某个对象中抽取部分值的情况,"切片"操作正是专门用于实现这一目标的有力武器,下面这篇文章主要给大家介绍了关于Python切片操作的相关资料,需要的朋友可以参考下
这篇文章主要为大家介绍了Keras搭建孪生神经网络Siamese network比较图片相似性,有需要的朋友可以借鉴参考下,希望能够有所帮助,祝大家多多进步,早日升职加薪
如果想要充分利用,在python中大部分情况需要使用多进程,那么这个包就叫做multiprocessing。借助它,可以轻松完成从单进程到并发执行的转换。multiprocessing支持子进程、通信和共享数据、执行不同形式的同步,提供了Process、Queue、Pipe、Lock等组件。那么本节要介绍的内容有:ProcessLockSemaphoreQueuePipePoo
这篇文章主要介绍了Python枚举类定义和使用方法,文章围绕主题的相关资料展开详细的内容介绍,具有一定的参考价值,需要的小伙伴可以参考一下
成为群英会员,开启智能安全云计算之旅
立即注册关注或联系群英网络
7x24小时售前:400-678-4567
7x24小时售后:0668-2555666
24小时QQ客服
群英微信公众号
CNNIC域名投诉举报处理平台
服务电话:010-58813000
服务邮箱:service@cnnic.cn
投诉与建议:0668-2555555
Copyright © QY Network Company Ltd. All Rights Reserved. 2003-2020 群英 版权所有
增值电信经营许可证 : B1.B2-20140078 ICP核准(ICP备案)粤ICP备09006778号 域名注册商资质 粤 D3.1-20240008