我想知道是否有办法在c程序中获取每个整数秒。我尝试使用"gettimeofday"函数来获取当前时间,然后如果秒的当前小数部分落入某个区域(例如大于 0.9 且小于 0.1),我将当前时间四舍五入为整数。但是,当我运行该程序时,偶尔会错过几秒钟。有人有更好的解决方案吗?
谢谢
我建议使用报警信号:
#include <signal.h>
#include <stdio.h>
#include <string.h>
#include <unistd.h>
#include <sys/time.h>
void timer_handler (int signum)
{
struct timeval tval;
gettimeofday(&tval, NULL);
printf("Seconds: %ldn",tval.tv_sec);
}
int main ()
{
struct sigaction sa;
struct itimerval timer;
memset (&sa, 0, sizeof (sa));
sa.sa_handler = &timer_handler;
sigaction (SIGVTALRM, &sa, NULL);
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_VIRTUAL, &timer, NULL);
while (1);
}
在我的Mac(OS X 10.11.5)上,我得到:
。/报警
秒数:1468937712
秒数:1468937713
秒数:1468937714
秒数:1468937715
秒数:1468937716
秒数:1468937717
秒数:1468937718
秒数:1468937719
秒数:1468937720
编辑
上面的代码使用虚拟计时器,它只在线程正在运行的时间内滴答作响(因此依赖于引入高负载的繁忙循环)。使用实定时器可以减少负载:
#include <signal.h>
#include <stdio.h>
#include <string.h>
#include <unistd.h>
#include <sys/time.h>
#include <pthread.h>
void timer_handler (int signum)
{
struct timeval tval;
printf("Foo");
gettimeofday(&tval, NULL);
printf("Seconds: %ldn",tval.tv_sec);
}
int main ()
{
struct sigaction sa;
struct itimerval timer;
sa.sa_mask=0;
sa.sa_flags=0;
memset (&sa, 0, sizeof (sa));
sa.sa_handler = &timer_handler;
sigaction (SIGALRM, &sa, NULL);
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){
pthread_yield_np();
}
}
此方法基本上仅运行计时器处理程序。因此,操作系统不应该太关心负载。但是,请注意,硬实时保证仅通过操作系统的实时功能(如果有的话)获得。