c语言定时器中断程序
时间: 2023-08-24 12:03:51 浏览: 283
以下是一个简单的 C 语言定时器中断程序的示例:
```c
#include <stdio.h>
#include <signal.h>
#include <unistd.h>
void timer_handler(int signum)
{
printf("Timer expired\n");
}
int main()
{
struct sigaction sa;
sa.sa_handler = &timer_handler;
sigaction(SIGALRM, &sa, NULL);
// 定时器设置为每秒触发一次
struct itimerval timer;
timer.it_value.tv_sec = 1;
timer.it_value.tv_usec = 0;
timer.it_interval.tv_sec = 1;
timer.it_interval.tv_usec = 0;
setitimer(ITIMER_REAL, &timer, NULL);
// 等待定时器中断
while (1) {
sleep(1);
}
return 0;
}
```
该程序使用 `sigaction` 函数来设置定时器中断处理函数。在 `main` 函数中,我们使用 `setitimer` 函数来设置定时器的时间间隔和触发方式。在这个例子中,定时器被设置为每秒触发一次,一旦定时器触发,就会执行 `timer_handler` 函数。最后,我们使用一个无限循环来等待定时器中断的发生,这样程序就会一直运行下去。
阅读全文