【Python--网络编程之Ping命令的实现】
warning:
这篇文章距离上次修改已过236天,其中的内容可能已经有所变动。
在Python中,可以使用subprocess
模块来执行Ping命令,并获取其输出。以下是一个简单的实现示例:
import subprocess
def ping(host, count=4):
"""
Ping the given host for a specified number of times.
:param host: The host to ping.
:param count: The number of times to ping.
:return: A list of ping response times in seconds.
"""
response_times = []
cmd = ['ping', '-c', str(count), host]
try:
result = subprocess.run(cmd, check=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE, text=True)
for line in result.stdout.splitlines():
if 'time=' in line:
response_times.append(float(line.split('=')[1].split(' ')[0]) / 1000.0)
except subprocess.CalledProcessError as e:
print(f"Ping failed: {e}")
return response_times
# 使用示例
host = 'google.com'
response_times = ping(host)
print(f"Ping {host} results:")
for i, time in enumerate(response_times):
print(f"{i + 1}. {time} seconds")
这段代码定义了一个ping
函数,它接受主机名和次数作为参数,并返回一个包含每次ping的响应时间的列表。在使用subprocess.run()
时,我们通过-c
参数指定了ping的次数,并且通过管道获取了输出。然后,我们解析输出,提取出每次ping的时间,将其转换为秒,并添加到结果列表中。如果ping失败,它会打印错误信息。
评论已关闭