linux中获取cpu信息通过/proc/stat文件

主要指标

  • CPU 使用率:衡量 CPU 的工作负载,通常显示为百分比。可以分为用户态(user space)、系统态(kernel space)和空闲态。
  • 负载均值(Load Average):代表一段时间内 CPU 的平均负载,通常会有 1 分钟、5 分钟和 15 分钟的负载均值。
  • 进程状态:查看占用 CPU 资源最多的进程。
#include <fstream>
#include <iostream>
#include <sstream>
#include <string>
#include <sys/sysctl.h>
#include <sys/types.h>
#include <unistd.h>

#ifdef __APPLE__
#include <mach/mach.h> // macOS specific
#endif

// user: 用户态cpu时间
// nice:用户态下具有调整优先级的进程所占用的 CPU 时间
// system: 内核态cpu时间
// idle: 代表 CPU 处于空闲状态时的时间
// iowait: 等待磁盘、网络或其他 I/O 设备完成操作
// irq: 处理硬件中断请求(Interrupt Requests)所占用的 CPU 时间
// softirq: softirq 代表处理软中断(Soft Interrupt)所占用的 CPU
// 时间。软中断是由内核调度,用来处理较低优先级的中断工作,例如网络包处理。
// steal: steal 代表虚拟化环境中,由于虚拟机监控器(hypervisor)将 CPU
// 时间分配给其他虚拟机,当前虚拟机被"抢占"走的时间。

void getCpuUsage() {
#ifdef __linux__
  std::ifstream file("/proc/stat");
  std::string line;

  if (file.is_open()) {
    std::getline(file, line); // 读取第一行
    std::istringstream iss(line);
    std::string cpu;
    long user, nice, system, idle, iowait, irq, softirq, steal;

    iss >> cpu >> user >> nice >> system >> idle >> iowait >> irq >> softirq >>
        steal;

    long total_idle = idle + iowait;
    long total_non_idle = user + nice + system + irq + softirq + steal;
    long total = total_idle + total_non_idle;

    std::cout << "CPU Usage (Linux): " << ((total_non_idle * 100.0) / total)
              << "%" << std::endl;
  }
  file.close();
#elif __APPLE__
  // macOS: Use sysctl to get CPU load
  host_cpu_load_info_data_t cpuinfo;
  mach_msg_type_number_t count = HOST_CPU_LOAD_INFO_COUNT;
  if (host_statistics(mach_host_self(), HOST_CPU_LOAD_INFO,
                      (host_info_t)&cpuinfo, &count) == KERN_SUCCESS) {
    long total_user = cpuinfo.cpu_ticks[CPU_STATE_USER];
    long total_system = cpuinfo.cpu_ticks[CPU_STATE_SYSTEM];
    long total_idle = cpuinfo.cpu_ticks[CPU_STATE_IDLE];
    long total_nice = cpuinfo.cpu_ticks[CPU_STATE_NICE];
    long total = total_user + total_system + total_idle + total_nice;
    long total_non_idle = total_user + total_system + total_nice;

    std::cout << "CPU Usage (macOS): " << ((total_non_idle * 100.0) / total)
              << "%" << std::endl;
  }
#endif
}

int main() {
  getCpuUsage();
  return 0;
}

命令行工具

  • top / htop:实时显示系统运行状态,包括 CPU、内存、负载等。
    • 优化分析:可以通过 top 观察 CPU 使用率较高的进程,并针对性地进行优化。htop 是 top 的增强版,提供了更好的界面和交互性。
  • mpstat:多核 CPU 的统计数据,显示每个 CPU 核心的使用情况。
    • 优化分析:通过查看单核和多核 CPU 的使用情况,可以判断是否需要优化程序的多线程性能。

优化方案

  • 进程管理:如果某些进程占用 CPU 资源过多,可以通过 nice、renice 调整进程优先级,或者使用 kill 终止不必要的进程。
  • 负载均衡:如果某些任务不需要立刻执行,可以通过 cron 或 at 将任务安排在系统负载较低时运行。
  • 多线程优化:对于多核 CPU,可以优化程序的并行执行能力,使得任务分布在不同的 CPU 核心上,充分利用多核 CPU 性能