1

我想知道一个程序/一个线程是否在 Linux 下的 C 中调度/调度,如果可能的话,多久调度一次。原因是我正在测量循环的运行时间并希望防止错误的结果。

这是一个最小的例子:

#include <stdio.h>

int times_dispatched() {
    // how to check?
    return 0;
}

int main() {
    int i, dummy = 0;
    for(i=0; i<10000000; i++) {
        dummy++;
    }

    printf("counted to %d; program was dispatched %d times\n", dummy, times_dispatched());
}
4

1 回答 1

1

在 Linux 上,您可以使用getrusage函数。

#include <sys/types.h>
#include <sys/time.h>
#include <sys/resource.h>

int times_dispatched(long *vol, long *invol) {
    struct rusage usage;
    int err;

    if ((err = getrusage(RUSAGE_SELF, &usage)) != 0) {
        return err;
    }

    *vol   = usage.ru_nvcsw;
    *invol = usage.ru_nivcsw;

    return 0;
}

测试应用:

#include <stdlib.h>
#include <stdio.h>

#define LOOPS 100000000

static void loop(volatile unsigned int count) {
    while(count--) { }
}

int main(void) {
    long vol, invol;

    loop(LOOPS);

    if (times_dispatched(&vol, &invol) != 0) {
        fprintf(stderr, "Unable to get dispatch stats");
        exit(1);
    }
    printf("Context switches: %ld voluntarily, %ld involuntarily\n",
        vol, invol);

    return 0;
}

来自Ideone的输出:

Context switches: 3 voluntarily, 283 involuntarily

PS我想知道为什么它显示非零自愿开关,可能是因为使用了Ideone......在我的桌面上它总是为零,正如预期的那样。

于 2012-08-07T00:33:42.350 回答