如何使用 Python ping 网站或 IP 地址?
17 回答
请参阅Matthew Dixon Cowles和Jens Diemer 编写的纯 Python ping。另外,请记住 Python 需要 root 才能在 linux 中生成 ICMP(即 ping)套接字。
import ping, socket
try:
ping.verbose_ping('www.google.com', count=3)
delay = ping.Ping('www.wikipedia.org', timeout=2000).do()
except socket.error, e:
print "Ping Error:", e
源代码本身很容易阅读,请参阅verbose_ping
和 of的实现以Ping.do
获得灵感。
根据您想要实现的目标,您可能最容易调用系统 ping 命令。
使用 subprocess 模块是最好的方法,尽管您必须记住 ping 命令在不同的操作系统上是不同的!
import subprocess
host = "www.google.com"
ping = subprocess.Popen(
["ping", "-c", "4", host],
stdout = subprocess.PIPE,
stderr = subprocess.PIPE
)
out, error = ping.communicate()
print out
您无需担心 shell 转义字符。例如..
host = "google.com; `echo test`
..不会执行回显命令。
现在,要实际获得 ping 结果,您可以解析out
变量。示例输出:
round-trip min/avg/max/stddev = 248.139/249.474/250.530/0.896 ms
正则表达式示例:
import re
matcher = re.compile("round-trip min/avg/max/stddev = (\d+.\d+)/(\d+.\d+)/(\d+.\d+)/(\d+.\d+)")
print matcher.search(out).groups()
# ('248.139', '249.474', '250.530', '0.896')
同样,请记住,输出会因操作系统(甚至 的版本ping
)而异。这并不理想,但在许多情况下都可以正常工作(您知道脚本将在哪些机器上运行)
您可能会发现Noah Gift 的演示文稿 使用 Python 创建敏捷命令行工具。在其中,他结合了子进程、队列和线程来开发能够同时 ping 主机并加快进程的解决方案。以下是他添加命令行解析和其他一些功能之前的基本版本。这个版本和其他版本的代码可以在这里找到
#!/usr/bin/env python2.5
from threading import Thread
import subprocess
from Queue import Queue
num_threads = 4
queue = Queue()
ips = ["10.0.1.1", "10.0.1.3", "10.0.1.11", "10.0.1.51"]
#wraps system ping command
def pinger(i, q):
"""Pings subnet"""
while True:
ip = q.get()
print "Thread %s: Pinging %s" % (i, ip)
ret = subprocess.call("ping -c 1 %s" % ip,
shell=True,
stdout=open('/dev/null', 'w'),
stderr=subprocess.STDOUT)
if ret == 0:
print "%s: is alive" % ip
else:
print "%s: did not respond" % ip
q.task_done()
#Spawn thread pool
for i in range(num_threads):
worker = Thread(target=pinger, args=(i, queue))
worker.setDaemon(True)
worker.start()
#Place work in queue
for ip in ips:
queue.put(ip)
#Wait until worker threads are done to exit
queue.join()
他还着有:Python for Unix and Linux System Administration
http://ecx.images-amazon.com/images/I/515qmR%2B4sjL._SL500_AA240_.jpg
很难说你的问题是什么,但有一些替代方案。
如果您的意思是使用 ICMP ping 协议从字面上执行请求,您可以获取 ICMP 库并直接执行 ping 请求。谷歌“Python ICMP”可以找到类似icmplib的东西。您可能还想查看scapy。
这将比使用os.system("ping " + ip )
.
如果您的意思是一般地“ping”一个盒子以查看它是否已启动,您可以在端口 7 上使用 echo 协议。
对于 echo,您使用套接字库打开 IP 地址和端口 7。您在该端口上写一些东西,发送回车 ( "\r\n"
),然后阅读回复。
如果您要“ping”一个网站以查看该网站是否正在运行,则必须在端口 80 上使用 http 协议。
对于或正确检查 Web 服务器,您使用urllib2打开特定 URL。(/index.html
总是很受欢迎)并阅读回复。
“ping”还有更多潜在的含义,包括“traceroute”和“finger”。
我以这种方式做了类似的事情,作为灵感:
import urllib
import threading
import time
def pinger_urllib(host):
"""
helper function timing the retrival of index.html
TODO: should there be a 1MB bogus file?
"""
t1 = time.time()
urllib.urlopen(host + '/index.html').read()
return (time.time() - t1) * 1000.0
def task(m):
"""
the actual task
"""
delay = float(pinger_urllib(m))
print '%-30s %5.0f [ms]' % (m, delay)
# parallelization
tasks = []
URLs = ['google.com', 'wikipedia.org']
for m in URLs:
t = threading.Thread(target=task, args=(m,))
t.start()
tasks.append(t)
# synchronization point
for t in tasks:
t.join()
这是一个使用subprocess
. 该check_call
方法要么返回 0 表示成功,要么引发异常。这样,我不必解析 ping 的输出。我shlex
用来分割命令行参数。
import subprocess
import shlex
command_line = "ping -c 1 www.google.comsldjkflksj"
args = shlex.split(command_line)
try:
subprocess.check_call(args,stdout=subprocess.PIPE,stderr=subprocess.PIPE)
print "Website is there."
except subprocess.CalledProcessError:
print "Couldn't get a ping."
我开发了一个我认为可以帮助你的库。它被称为 icmplib(与可以在 Internet 上找到的任何其他同名代码无关)并且是 Python 中 ICMP 协议的纯实现。
它是完全面向对象的,具有简单的功能,例如经典的 ping、multiping 和 traceroute,以及低级类和套接字,供那些希望基于 ICMP 协议开发应用程序的人使用。
以下是其他一些亮点:
- 可以在没有root权限的情况下运行。
- 您可以自定义许多参数,例如 ICMP 数据包的负载和流量类别 (QoS)。
- 跨平台:在 Linux、macOS 和 Windows 上测试。
- 与使用子进程进行的调用不同,速度快并且需要很少的 CPU / RAM 资源。
- 轻量级并且不依赖任何额外的依赖。
要安装它(需要 Python 3.6+):
pip3 install icmplib
下面是一个简单的 ping 函数示例:
host = ping('1.1.1.1', count=4, interval=1, timeout=2, privileged=True)
if host.is_alive:
print(f'{host.address} is alive! avg_rtt={host.avg_rtt} ms')
else:
print(f'{host.address} is dead')
如果要在没有 root 权限的情况下使用库,请将“privileged”参数设置为 False。
您可以在项目页面上找到完整的文档: https ://github.com/ValentinBELYN/icmplib
希望你会发现这个库很有用。
最简单的答案是:
import os
os.system("ping google.com")
读取文件名,该文件每行包含一个 url,如下所示:
http://www.poolsaboveground.com/apache/hadoop/core/
http://mirrors.sonic.net/apache/hadoop/core/
使用命令:
python url.py urls.txt
得到结果:
Round Trip Time: 253 ms - mirrors.sonic.net
Round Trip Time: 245 ms - www.globalish.com
Round Trip Time: 327 ms - www.poolsaboveground.com
源代码(url.py):
import re
import sys
import urlparse
from subprocess import Popen, PIPE
from threading import Thread
class Pinger(object):
def __init__(self, hosts):
for host in hosts:
hostname = urlparse.urlparse(host).hostname
if hostname:
pa = PingAgent(hostname)
pa.start()
else:
continue
class PingAgent(Thread):
def __init__(self, host):
Thread.__init__(self)
self.host = host
def run(self):
p = Popen('ping -n 1 ' + self.host, stdout=PIPE)
m = re.search('Average = (.*)ms', p.stdout.read())
if m: print 'Round Trip Time: %s ms -' % m.group(1), self.host
else: print 'Error: Invalid Response -', self.host
if __name__ == '__main__':
with open(sys.argv[1]) as f:
content = f.readlines()
Pinger(content)
import subprocess as s
ip=raw_input("Enter the IP/Domain name:")
if(s.call(["ping",ip])==0):
print "your IP is alive"
else:
print "Check ur IP"
如果你想要在 Python 中实际使用的东西,你可以玩,看看 Scapy:
from scapy.all import *
request = IP(dst="www.google.com")/ICMP()
answer = sr1(request)
在我看来,这比一些时髦的子进程调用要好得多(并且完全跨平台)。此外,您可以根据需要获得关于答案(序列 ID .....)的尽可能多的信息,就像您拥有数据包本身一样。
您可以在此处找到适用于 Windows 和 Linux 的上述脚本的更新版本
using system ping command to ping a list of hosts:
import re
from subprocess import Popen, PIPE
from threading import Thread
class Pinger(object):
def __init__(self, hosts):
for host in hosts:
pa = PingAgent(host)
pa.start()
class PingAgent(Thread):
def __init__(self, host):
Thread.__init__(self)
self.host = host
def run(self):
p = Popen('ping -n 1 ' + self.host, stdout=PIPE)
m = re.search('Average = (.*)ms', p.stdout.read())
if m: print 'Round Trip Time: %s ms -' % m.group(1), self.host
else: print 'Error: Invalid Response -', self.host
if __name__ == '__main__':
hosts = [
'www.pylot.org',
'www.goldb.org',
'www.google.com',
'www.yahoo.com',
'www.techcrunch.com',
'www.this_one_wont_work.com'
]
Pinger(hosts)
使用 subprocess ping 命令对其进行 ping 解码,因为响应是二进制的:
import subprocess
ping_response = subprocess.Popen(["ping", "-a", "google.com"], stdout=subprocess.PIPE).stdout.read()
result = ping_response.decode('utf-8')
print(result)
您可以尝试使用 socket 获取站点的 ip 并使用 scrapy 执行 icmp ping 到该 ip。
import gevent
from gevent import monkey
# monkey.patch_all() should be executed before any library that will
# standard library
monkey.patch_all()
import socket
from scapy.all import IP, ICMP, sr1
def ping_site(fqdn):
ip = socket.gethostbyaddr(fqdn)[-1][0]
print(fqdn, ip, '\n')
icmp = IP(dst=ip)/ICMP()
resp = sr1(icmp, timeout=10)
if resp:
return (fqdn, False)
else:
return (fqdn, True)
sites = ['www.google.com', 'www.baidu.com', 'www.bing.com']
jobs = [gevent.spawn(ping_site, fqdn) for fqdn in sites]
gevent.joinall(jobs)
print([job.value for job in jobs])
在 python 3 上,您可以使用ping3。
from ping3 import ping, verbose_ping
ip-host = '8.8.8.8'
if not ping(ip-host):
raise ValueError('{} is not available.'.format(ip-host))
使用它在 python 2.7 上测试并运行良好,如果成功则返回 ping 时间(以毫秒为单位),失败时返回 False。
import platform,subproccess,re
def Ping(hostname,timeout):
if platform.system() == "Windows":
command="ping "+hostname+" -n 1 -w "+str(timeout*1000)
else:
command="ping -i "+str(timeout)+" -c 1 " + hostname
proccess = subprocess.Popen(command, stdout=subprocess.PIPE)
matches=re.match('.*time=([0-9]+)ms.*', proccess.stdout.read(),re.DOTALL)
if matches:
return matches.group(1)
else:
return False