- 论坛徽章:
- 0
|
利用C语言函数,一般在一个进程中只能有一个定时器。要想实现多定时器,一般是在这个定时器中使用累计计数来实现。当定时器比较多,和定时间隔差别很大,如0.02秒和10秒,计数就带来了很大的额外开销。
当然也可用循环嵌入sleep,nanosleep的方法,但是这增加了循环内不必要的阻塞。
多进程和多线程的方法,增加了程序的复杂度和开销。
利用FreeBSD的kqueue可以在单进程中实现多定时器, 同时避免以上弊端。
下面是我写的一小段代码,与大家共享,献丑了,呵呵。转载请标明来自CU。
- #include <stdio.h>
- #include <string.h>
- #include <errno.h>
- #include <unistd.h>
- #include <sys/types.h>
- #include <sys/event.h>
- #include <sys/time.h>
- int main()
- {
- struct kevent changes[3];
- struct kevent events[3];
- int kq=kqueue();
- if(kq==-1)
- {
- fprintf(stderr,"Kqueue error: %s\n",strerror(errno));
- return -1;
- }
- struct timespec thetime;
- bzero(&thetime,sizeof(thetime));
-
- EV_SET(&changes[0],0,EVFILT_TIMER, EV_ADD | EV_ENABLE, 0, 5000, 0);
- EV_SET(&changes[1],1,EVFILT_TIMER, EV_ADD | EV_ENABLE, 0, 2000, 0);
- EV_SET(&changes[2],2,EVFILT_TIMER, EV_ADD | EV_ENABLE, 0, 1000, 0);
- if(kevent(kq,changes,3,NULL,0,&thetime)==-1)
- {
- fprintf(stderr,"kevent error: %s\n",strerror(errno));
- return -1;
- }
- for(;;)
- {
- int nev=kevent(kq,NULL,0,events,1,&thetime);
-
- if(nev==-1)
- {
- fprintf(stderr,"kevent error: %s\n",strerror(errno));
- return -1;
- }
-
- if(nev>0)
- {
- int i;
- for(i=0;i<nev;i++)
- {
-
- switch(events[i].ident)
- {
- case 0:
- fprintf(stdout, "This is 5 sec timer.\n");
- break;
- case 1:
- fprintf(stdout, "This is 2 sec timer.\n");
- break;
- case 2:
- fprintf(stdout, "This is 1 sec timer.\n");
- break;
- }
- }
- }
- /*
- ----------可以做其他事情。
- */
- }
-
- return 0;
- }
复制代码
[ 本帖最后由 doctorjxd 于 2007-11-16 22:32 编辑 ] |
评分
-
查看全部评分
|