[TOC] 由Linux內核提供的基本時間是自1970 01 01 00:00:00 +0000 (UTC)這一特定時間以來經過的秒數,這種描述是以數據類型time_t表示的,我們稱其為日曆時間。 獲得日曆時間的函數有3個:time、clock_gettime和gettimeofday。 time函 ...
目錄
由Linux內核提供的基本時間是自1970-01-01 00:00:00 +0000 (UTC)這一特定時間以來經過的秒數,這種描述是以數據類型time_t表示的,我們稱其為日曆時間。
獲得日曆時間的函數有3個:time、clock_gettime和gettimeofday。
time函數
#include <time.h>
//成功返回日曆時間,出錯返回-1;若time非NULL,則也通過其返回時間值
time_t time(time_t *time);
#include <stdio.h>
#include <string.h>
#include <time.h>
void print_time()
{
time_t seconds = time(NULL);
printf("seconds = %ld\n", seconds);
}
int main()
{
print_time();
return 0;
}
clock_gettime函數
clock_gettime函數可用於獲取指定時鐘的時間,返回的時間通過struct timespec結構保存,該結構把時間表示為秒和納秒。
#include <time.h>
struct timespec
{
time_t tv_sec; /* seconds */
long tv_nsec; /* nanoseconds */
};
//Link with -lrt.
int clock_gettime(clockid_t clock_id, struct timespec *tsp);
clock_id一般設置為CLOCK_REALTIME
以獲取高精度日曆時間。
#include <stdio.h>
#include <string.h>
#include <time.h>
void print_time()
{
time_t seconds;
struct timespec tsp;
seconds = time(NULL);
printf("seconds = %ld\n", seconds);
clock_gettime(CLOCK_REALTIME, &tsp);
printf("tsp.tv_sec = %ld, tsp.tv_nsec = %ld\n", tsp.tv_sec, tsp.tv_nsec);
}
int main()
{
print_time();
return 0;
}
gettimeofday函數
和clock_gettime函數類似,gettimeofday通過struct timeval結構返回日曆時間,該結構把時間表示為秒和微妙。
#include <sys/time.h>
struct timeval
{
time_t tv_sec; /* seconds */
suseconds_t tv_usec; /* microseconds */
};
int gettimeofday(struct timeval *tv, struct timezone *tz);
需要註意的是,參數tz的唯一合法值是NULL。
#include <stdio.h>
#include <string.h>
#include <time.h>
#include <sys/time.h>
void print_time()
{
time_t seconds;
struct timespec tsp;
struct timeval tv;
seconds = time(NULL);
printf("seconds = %ld\n", seconds);
clock_gettime(CLOCK_REALTIME, &tsp);
printf("tsp.tv_sec = %ld, tsp.tv_nsec = %ld\n", tsp.tv_sec, tsp.tv_nsec);
gettimeofday(&tv, NULL);
printf("tv.tv_sec = %ld, tv.tv_usec = %ld\n", tv.tv_sec, tv.tv_usec);
}
int main()
{
print_time();
return 0;
}