温馨提示×

python如何调用ping命令

小亿
82
2024-12-07 07:44:31
栏目: 编程语言

在Python中,你可以使用subprocess模块来调用ping命令

import subprocess

def ping(host, timeout=2):
    try:
        # 在Windows系统中,使用'-n'参数,而在Linux和macOS系统中,使用'-c'参数
        command = ['ping', '-c', '1', host, '-W', str(timeout)] if platform.system().lower() != 'windows' else ['ping', '-n', '1', host, '-w', str(timeout)]
        subprocess.check_output(command, stderr=subprocess.STDOUT)
        return True
    except subprocess.CalledProcessError as e:
        print(f"请求超时或目标不可达: {e.output.decode('utf-8')}")
        return False
    except FileNotFoundError:
        print("ping命令未找到,请确保你的系统已安装ping工具。")
        return False

if __name__ == "__main__":
    host = input("请输入要ping的主机地址: ")
    if ping(host):
        print(f"{host} 在线")
    else:
        print(f"{host} 离线")

这个示例定义了一个名为ping的函数,它接受一个主机地址和一个可选的超时参数(默认为2秒)。函数使用subprocess.check_output()执行ping命令,并检查返回值。如果ping成功,函数返回True,否则返回False。

请注意,这个示例仅适用于Python 3。如果你使用的是Python 2,你需要对代码进行一些修改,例如使用raw_input()代替input()

0