0

我在 Kubuntu 但我不想使用任何其他库,我只能使用 linux 函数。我知道有一个库http://procps.sourceforge.net/但这不是重点。我想打印一个由登录用户拥有的进程,显示他们的日期、父进程 ID 和用户名,如何在 C 中做到这一点?

4

4 回答 4

1

system("ps -aef | grep username");将获得用户拥有的所有进程。

于 2013-01-28T12:43:15.740 回答
1

这些信息存储在/proc:每个进程都有自己的目录,命名为它的 PID。

您需要遍历所有这些目录并收集您需要的数据。就是ps这样。

于 2013-01-28T12:50:51.520 回答
1

我认为您必须扫描/proc文件夹。我会给你一个关于如何开始的想法。抱歉,我没有时间对您的请求进行完整编码 =(

(查看此处/proc/[pid]/stat部分以了解 stat 文件的格式)

  while((dirEntry = readdir("/proc")) != NULL) 
  {

      // is a number? (pid)
      if (scanf(dirEntry->d_name, "%d", &dummy) == 1) 
      {
          // get info about the node (file or folder)
          lstat(dirEntry->d_name, &buf);

          // it must be a folder
          if (buf.st_mode != S_IFDIR)
              continue;

          // check if it's owned by the uid you need
          if (buf.st_uid != my_userid)
              continue;

          // ok i got a pid of a process owned by my user
          printf("My user own process with pid %d\n", dirEntry->d_name);

          // build full path of stat file (full of useful infos)
          sprintf(stat_path, "/proc/%s/stat", dirEntry->d_name;

          // self explaining function (you have to write it) to extract the parent pid
          parentpid = extract_the_fourth_field(stat_path);

          // printout the parent pid
          printf("parent pid: %d\n", parentpid);

          // check for the above linked manual page about stat file to get more infos
          // about the current pid
      }
  }
于 2013-01-28T13:00:07.703 回答
1

我建议从/proc. proc 文件系统是 Linux 中实现的最好的文件系统。

如果没有,您可以考虑编写一个内核模块,该模块将实现您自己的系统调用(以获取当前进程的列表),以便可以从用户空间程序调用它。

/* ProcessList.c 
    Robert Love Chapter 3
    */
    #include < linux/kernel.h >
    #include < linux/sched.h >
    #include < linux/module.h >

    int init_module(void)
    {
    struct task_struct *task;
    for_each_process(task)
    {
    printk("%s [%d]\n",task->comm , task->pid);
    }

    return 0;
    }

    void cleanup_module(void)
    {
    printk(KERN_INFO "Cleaning Up.\n");
    }

上面的代码取自这里的文章。

于 2013-01-28T13:59:34.417 回答