温馨提示×

python psutil如何有效使用

小樊
81
2024-11-19 04:58:34
栏目: 编程语言

Python的psutil库是一个跨平台的库,用于获取有关正在运行的进程和系统利用率(CPU、内存、磁盘、网络等)的信息

  1. 首先,确保已经安装了psutil库。如果没有安装,可以使用以下命令安装:
pip install psutil
  1. 导入psutil库:
import psutil
  1. 获取系统CPU信息:
cpu_info = psutil.cpu_percent()
print(f"CPU Usage: {cpu_info}%")
  1. 获取系统内存信息:
memory_info = psutil.virtual_memory()
print(f"Total Memory: {memory_info.total / (1024 * 1024)} MB")
print(f"Available Memory: {memory_info.available / (1024 * 1024)} MB")
  1. 获取磁盘空间信息:
disk_usage = psutil.disk_usage('/')
print(f"Total Disk Space: {disk_usage.total / (1024 * 1024 * 1024)} GB")
print(f"Used Disk Space: {disk_usage.used / (1024 * 1024 * 1024)} GB")
  1. 获取网络接口信息:
net_io = psutil.net_io_counters()
print(f"Bytes Sent: {net_io.bytes_sent}")
print(f"Bytes Received: {net_io.bytes_recv}")
  1. 获取正在运行的进程列表:
processes = psutil.process_iter(['pid', 'name', 'cpu_percent'])
for process in processes:
    print(f"PID: {process.info['pid']}, Name: {process.info['name']}, CPU Usage: {process.info['cpu_percent']}%")
  1. 监控CPU使用率(例如,每1秒获取一次CPU使用率):
import time

while True:
    cpu_usage = psutil.cpu_percent()
    print(f"CPU Usage: {cpu_usage}%")
    time.sleep(1)

这只是psutil库的一些基本用法。您可以根据需要使用这些功能来监控和获取系统资源信息。要了解更多关于psutil库的信息,请查阅官方文档:https://psutil.readthedocs.io/en/latest/

0