getTickCount函数移植到solaris

时间:2022-06-01 21:00:01
 

在编写heartbeat模块时,需要定时执行轮询函数checkForTimeout判断节点是否死亡。这里涉及了大量的对于时间信息的获取,在windows中,我们用getTickCount函数。

DWORD getTickCount()为取得从系统启动到被调用的时间,单位是毫秒。

那么在移植到solaris时,由于getTickCount()是win API,我们需要用solaris下的api来实现它。这里注意实现时,不要改变其接口和属性,即函数的名称、参数和返回值。

这里采用gettimeofday()实现。

(一)

首先,看看gettimeofday()的函数说明:

表头文件 

#include <sys/time.h>
#include <unistd.h>


定义函数 

int gettimeofday ( struct timeval * tv , struct timezone * tz )


函数说明 

gettimeofday()会把目前的时间有tv所指的结构返回,当地时区的信息则放到tz所指的结构中。
timeval结构定义为:
struct timeval{
long tv_sec; /*秒*/      //从unix纪元起开始记
long tv_usec; /*微秒*/
};
timezone 结构定义为:
struct timezone{
int tz_minuteswest; /*和Greenwich 时间差了多少分钟*/
int tz_dsttime; /*日光节约时间的状态*/
};
上述两个结构都定义在/usr/include/sys/time.h。tz_dsttime 所代表的状态如下
DST_NONE /*不使用*/
DST_USA /*美国*/
DST_AUST /*澳洲*/
DST_WET /*西欧*/
DST_MET /*中欧*/
DST_EET /*东欧*/
DST_CAN /*加拿大*/
DST_GB /*大不列颠*/
DST_RUM /*罗马尼亚*/
DST_TUR /*土耳其*/
DST_AUSTALT /*澳洲(1986年以后)*/


返回值 

成功则返回0,失败返回-1,错误代码存于errno。附加说明EFAULT指针tv和tz所指的内存空间超出存取权限。

(二)

示例代码:

#define ULONGA unsigned long

#ifdef _WIN32
hbtime_t getHBSysTime()
{
 static hbtime_t  hbtime = 0;
 static DWORD oldTime = 0;  /*上一次得到的tick时间*/
 DWORD currTime = GetTickCount();
 if(currTime < oldTime)  /*如果发生溢出时*/
 {
  hbtime = hbtime + 0xffffffff;   /*xx为修正时间*/
  return hbtime + currTime;
 }
 else
 {
  return hbtime + currTime;
 }
}
#else
hbtime_t getHBSysTime()
{
 static hbtime_t  hbtime = 0;
 static ULONGA oldTime = 0;  /*上一次得到的tick时间*/
 ULONGA currTime = 0;
 struct timeval current;
 gettimeofday(&current, NULL);  //从unix纪元起开始计时
 currTime = current.tv_sec * 1000 + current.tv_usec/1000;
 
 if(currTime < oldTime)  /*如果发生溢出时*/
 {
  hbtime = hbtime + 0xffffffff;   /*xx为修正时间*/
  return hbtime + currTime;
 }
 else
 {
  return hbtime + currTime;
 }
}
#endif

其中绿色标注部分为不一样的部分,看这里即可。solaris下用unsigned long型,防止溢出。