通过niceness改变所有进程的niceness

Change niceness of all processes by niceness

我正在使用 Debian,有没有一种方法可以根据当前的 niceness 更改所有 运行ning 进程的 niceness?例如,将所有当前 运行ning 的 niceness 为 -20 或 -19 的进程更改为 -10。 Renice 可以为某些用户更改流程和流程。但据我所知,基于当前的友好程度,它无法做到这一点。

我正在尝试 运行 一个 niceness 为 -20 的程序,以尝试绕过一些似乎半定期发生的时间峰值。这些可能是由具有相同优先级的某些进程占用资源引起的。我希望通过一些友好的摆弄来检查这个。

以 19 到 10 的 niceness 重新调整所有进程:

ps -eo nice,pid | sed -e 's/^ \+19//;tx;d;:x' | xargs sudo renice 10

弄清楚为什么这有效,或者将其扩展为同时处理多个优先级,留给 reader.

作为练习。

从 C:

开始的东西
#include <stdio.h>
#include <sys/types.h>
#include <dirent.h>
#include <stdlib.h>
#include <string.h>

static char *prstatname(char *buf, char **endptr)
{
    /* parse process name */
    char *ptr = buf;
    while (*ptr && *ptr != '(') ++ptr;
    ++ptr;
    if (!ptr) return 0;

    char *name = ptr;
    while (*ptr)
    {
        if (*ptr == ')' && *(ptr+1) && *(ptr+2) && *(ptr+3)
                && *(ptr+1) == ' ' && *(ptr+3) == ' ')
        {
            *ptr = 0;
            *endptr = ptr + 1;
            return name;
        }
        ++ptr;
    }
    return 0;
}

int main(void)
{
    DIR *proc = opendir("/proc");
    if (!proc) return 1;

    struct dirent *ent;

    while ((ent = readdir(proc)))
    {
        /* check whether filename is all numeric, then it's a process id */
        char *endptr;
        int pid = strtol(ent->d_name, &endptr, 10);
        if (*endptr) continue;

        /* combine to '/proc/{pid}/stat' to get information about process */
        char statname[64] = {0,};       
        strcat(statname, "/proc/");
        strncat(statname, ent->d_name, 52);
        strcat(statname, "/stat");

        FILE *pstat = fopen(statname, "r");
        if (!pstat) continue;

        /* try to read process info */
        char buf[1024];
        if (!fgets(buf, 1024, pstat))
        {
            fclose(pstat);
            continue;
        }
        fclose(pstat);

        char *name = prstatname(buf, &endptr);
        if (!name) continue;

        /* nice value is in the 17th field after process name */
        int i;
        char *tok = strtok(endptr, " ");
        for (i = 0; tok && i < 16; ++i) tok = strtok(0, " ");
        if (!tok || i < 16) continue;

        int nice = strtol(tok, &endptr, 10);
        if (*endptr) continue;

        printf("[%d] %s -- nice: %d\n", pid, name, nice);
    }
}

如果你理解这个程序,你可以很容易地修改它来做你想做的事。