我试着写一个简单的程序来提醒我当ram满了的时候,但是我在sysinfo()上有一些问题,示例程序在c中,我从一个网站上用示例获取了它,代码看起来很好,有什么想法可以发生这种事吗?对不起,我的英语不是我的母语…
代码如下:

/* sysinfo.c by [email protected]
 *
 * Display the uptime, load averages, total ram, free ram,
 * shared ram, buffered ram, total swap, free swap, and
 * number of processes running on a linux machine.
 *
 * http://www.metalshell.com/
 *
 */

#include <sys/sysinfo.h>
#include <stdio.h>

int main() {
  int days, hours, mins;
  struct sysinfo sys_info;

  if(sysinfo(&sys_info) != 0)
    perror("sysinfo");

  // Uptime
  days = sys_info.uptime / 86400;
  hours = (sys_info.uptime / 3600) - (days * 24);
  mins = (sys_info.uptime / 60) - (days * 1440) - (hours * 60);

  printf("Uptime: %ddays, %dhours, %dminutes, %ldseconds\n",
                      days, hours, mins, sys_info.uptime % 60);

  // Load Averages for 1,5 and 15 minutes
  printf("Load Avgs: 1min(%ld) 5min(%ld) 15min(%ld)\n",
          sys_info.loads[0], sys_info.loads[1], sys_info.loads[2]);

  // Total and free ram.
  printf("Total Ram: %ldk\tFree: %ldk\n", sys_info.totalram / 1024,
                                        sys_info.freeram / 1024);

  // Shared and buffered ram.
  printf("Shared Ram: %ldk\n", sys_info.sharedram / 1024);
  printf("Buffered Ram: %ldk\n", sys_info.bufferram / 1024);

  // Swap space
  printf("Total Swap: %ldk\tFree: %ldk\n", sys_info.totalswap / 1024,
                                           sys_info.freeswap / 1024);

  // Number of processes currently running.
  printf("Number of processes: %d\n", sys_info.procs);

  return 0;
}

最佳答案

在重新阅读了您试图使用sysinfo的内容并阅读了sysinfo的手册页之后,我知道了它的结果可能会困扰您什么。如果这不是你的问题,那么你将需要张贴更多(像上面程序的实际输出和评论什么是错误的,为什么你认为这是错误的)。
旧版本的linux的sysinfo版本与当前版本非常相似,但不兼容。在它的结构中添加了一些字段,并对内存字段的含义做了一些细微的更改。这些字段现在需要与mem_unit字段一起解释。这是因为有些机器的内存可能超过一个长整型数。
这种情况在32位x86上变得有些常见,在某些计算机上安装了超过2^32(4GB)的RAM。我怀疑这可能是你的问题,因为你的程序根本没有提到mem_unit
我认为如果你尝试:

 printf("Total Ram: %lluk\tFree: %lluk\n",
                sys_info.totalram *(unsigned long long)sys_info.mem_unit / 1024,
                sys_info.freeram *(unsigned long long)sys_info.mem_unit/ 1024);

然后,这一行可能开始产生对您更有意义的输出。在处理ram的其他行上进行类似的更改也会使它们更有意义。

07-24 21:20