如何在C / C ++中设置Linux中的IRQ优先级?

时间:2017-03-09 13:21:55

标签: c++ c linux system-calls interrupt

现在我正在使用chrt(对于给定的irqPid)在实时Linux中设置IRQ优先级:

/usr/bin/chrt -f -p 95 irqPid

是否有一种方法/某些功能可以从C / C ++执行此操作(除了运行system()执行上述命令之外)?

1 个答案:

答案 0 :(得分:1)

你可能想要sched_setattr。使用strace可以很容易地看到系统调用chrt正在使用什么。

(defmacro smart_multiplication (&rest l)
  (unless(member 0 l) `(* ,@l))
)

为当前流程执行此操作的一些代码如下所示:

$ sleep 10 &
[2] 3590
$ sudo strace -- /usr/bin/chrt -f -p 95 $! 2>&1 | grep "=95"
sched_setattr(3590, {size=48, sched_policy=SCHED_FIFO, sched_flags=0, sched_nice=0, sched_priority=95, sched_runtime=0, sched_deadline=0, sched_period=0}, 0) = 0

在编译文件上再次使用strace:

#include <sched.h>
#include <stdint.h>
#include <stdio.h>
#include <string.h>
#include <sys/syscall.h>
#include <unistd.h>

struct sched_attr {
   uint32_t size;              /* Size of this structure */
   uint32_t sched_policy;      /* Policy (SCHED_*) */
   uint64_t sched_flags;       /* Flags */
   int32_t  sched_nice;        /* Nice value (SCHED_OTHER,
                                  SCHED_BATCH) */
   uint32_t sched_priority;    /* Static priority (SCHED_FIFO,
                                  SCHED_RR) */
   /* Remaining fields are for SCHED_DEADLINE */
   uint64_t sched_runtime;
   uint64_t sched_deadline;
   uint64_t sched_period;
};

static int sched_setattr(pid_t pid, const struct sched_attr *attr, unsigned int flags)
{
    return syscall(SYS_sched_setattr, pid, attr, flags);
}

int main(int, char**) {
    int result;
    struct sched_attr attr;
    memset(&attr, 0, sizeof(attr));
    attr.size = sizeof(sched_attr);
    attr.sched_priority = 95;
    attr.sched_policy = SCHED_FIFO;
    result = sched_setattr(getpid(), &attr, 0);
    if (result == -1) {
        perror("Error calling sched_setattr.");
    }
}

由于某些原因,我无法在我的系统上找到glibc中的系统调用或sched.h中的结构,因此我必须包含结构和系统调用定义。我对此知之甚少,所以这个函数可能比需要的低,而更高级别的调用可以更容易地做你想要的,但这恰好反映了chrt正在做的事情。