5

我们想在 Linux 平台下给我们的 C 程序添加一个定时器。

我们正在尝试发送数据包,我们想知道在 1 分钟内发送了多少数据包。while我们希望计时器在执行发送数据包的循环的同时运行。例如:

    while(1)    
    {     
      send packets;    
    }

此循环将继续发送数据包,直到按下 ctrl-z。应使用计时器在 60 秒后停止循环。

4

7 回答 7

8

你可以这样做:

#include <signal.h>
#include <unistd.h>
#include <stdio.h>

volatile int stop=0;

void sigalrm_handler( int sig )
{
    stop = 1;
}

int main(int argc, char **argv)
{
    struct sigaction sact;
    int num_sent = 0;
    sigemptyset(&sact.sa_mask);
    sact.sa_flags = 0;
    sact.sa_handler = sigalrm_handler;
    sigaction(SIGALRM, &sact, NULL);

    alarm(60);  /* Request SIGALRM in 60 seconds */
    while (!stop) {
        send_a_packet();
        num_sent++;
    }

    printf("sent %d packets\n", num_sent);
    exit(0);
}

如果循环开销过大,您可以通过每次迭代发送 N 个数据包并将计数增加 N 次迭代来分摊开销。

于 2012-04-17T14:24:37.820 回答
6

只需检查循环每次迭代的时间,当 1 分钟过去后,计算您发送了多少数据包。

编辑更改以反映问题的实际要求!

time_t startTime = time(); // return current time in seconds
int numPackets = 0;
while (time() - startTime < 60)
{
    send packet
    numPackets++;
}
printf("Sent %d packets\n", numPackets);
于 2012-04-17T11:05:03.993 回答
4

也可以检查这个http://www.gnu.org/software/libc/manual/html_node/Setting-an-Alarm.html来设置定时器,它会向你的进程发送信号,你可以停止 while 循环。

于 2012-04-17T11:00:32.050 回答
2

看标准time()函数。

于 2012-04-17T10:58:44.343 回答
2

以下是可用于 C 与 linux 平台的不同时间间隔的 itimer 代码片段:

    #include <signal.h>
    #include <stdio.h>
    #include <string.h>
    #include <sys/time.h>

    void timer_handler (int signum)
    {
     static int count = 0;
     printf ("timer expired %d times\n", ++count);
    }

    int main ()
    {
        struct sigaction sa;
        struct itimerval timer;

        /* Install timer_handler as the signal handler for SIGVTALRM. */
        memset (&sa, 0, sizeof (sa));
        sa.sa_handler = &timer_handler;
        sigaction (SIGVTALRM, &sa, NULL);

        /* Configure the timer to expire after 1 sec... */
        timer.it_value.tv_sec = 1;
        timer.it_value.tv_usec = 0;
        /* ... and every 1000 msec after that. */
        timer.it_interval.tv_sec = 1;
        timer.it_interval.tv_usec = 0;
        /* Start a virtual timer. It counts down whenever this process is
        *    executing. */
        setitimer (ITIMER_VIRTUAL, &timer, NULL);

        /* Do busy work. */
        while (1);
            sleep(1);
    }

希望它会有所帮助。

于 2015-09-15T13:03:55.813 回答
0

使用 wheetimer(及其变体)数据结构来实现计时器。

于 2018-10-25T10:20:03.823 回答
-2

男人 3 睡觉:

NAME sleep - 休眠指定的秒数

概要 #include < unistd.h >

   unsigned int sleep(unsigned int seconds);
于 2012-04-17T10:57:57.893 回答