在Python中,有没有办法通过ICMP ping服务器,如果服务器响应,则返回TRUE;如果没有响应,则返回FALSE?
发布于 2015-09-20 22:24:11
此函数适用于任何操作系统(Unix、Linux、macOS和)
Python 2和Python 3
编辑:
@radato取代了os.system
,subprocess.call
取代了subprocess.call
。这可避免在主机名字符串可能无法验证的情况下出现shell injection漏洞。
import platform # For getting the operating system name
import subprocess # For executing a shell command
def ping(host):
"""
Returns True if host (str) responds to a ping request.
Remember that a host may not respond to a ping (ICMP) request even if the host name is valid.
"""
# Option for the number of packets as a function of
param = '-n' if platform.system().lower()=='windows' else '-c'
# Building the command. Ex: "ping -c 1 google.com"
command = ['ping', param, '1', host]
return subprocess.call(command) == 0
请注意,根据Windows上的@ikrase,如果您收到Destination Host Unreachable
错误,此函数仍将返回True
。
说明
该命令在Windows和类Unix系统中都是ping
。
选项-n
(Windows)或-c
(Unix)控制在本例中设置为1的数据包数量。
platform.system()
返回平台名称。例如。macOS上的'Darwin'
。
subprocess.call()
执行系统调用。例如。subprocess.call(['ls','-l'])
。
发布于 2012-05-01 18:29:05
如果你不需要支持Windows,这里有一个非常简洁的方法:
import os
hostname = "google.com" #example
response = os.system("ping -c 1 " + hostname)
#and then check the response...
if response == 0:
print hostname, 'is up!'
else:
print hostname, 'is down!'
这是因为如果连接失败,ping会返回一个非零值。(返回值实际上根据网络错误而有所不同。)您还可以使用'-t‘选项更改ping超时(以秒为单位)。注意,这会将文本输出到控制台。
发布于 2015-10-08 14:26:11
有一个名为pyping的模块可以做到这一点。它可以通过pip安装
pip install pyping
它的使用非常简单,然而,当使用这个模块时,您需要root访问权限,因为它是在幕后制作原始数据包的事实。
import pyping
r = pyping.ping('google.com')
if r.ret_code == 0:
print("Success")
else:
print("Failed with {}".format(r.ret_code))
https://stackoverflow.com/questions/2953462
复制