gettimeofday() 或 clock_gettime()怎么用
时间: 2024-08-15 20:04:02 浏览: 64
Linux系统中时间的获取和使用
`gettimeofday()` 和 `clock_gettime()` 都是Unix/Linux系统提供的高级时间获取函数,在C语言中用来获得高精度的当前时间信息,它们通常比`time()`函数提供更好的时钟选择和精度。
### gettimeofday()
```c
#include <sys/time.h>
#include <unistd.h>
struct timeval tv; // 结构体,存储时间戳信息
// 获取时间戳
if (gettimeofday(&tv, NULL)) {
perror("gettimeofday failed");
} else {
struct tm *ltm = localtime(&tv.tv_sec); // 将时间戳转换为本地时间结构
printf("Current time: %d-%02d-%02d %02d:%02d:%02d\n", ltm->tm_year + 1900, ltm->tm_mon + 1, ltm->tm_mday,
ltm->tm_hour, ltm->tm_min, ltm->tm_sec);
}
```
`gettimeofday()` 函数返回的是一个包含秒数(`tv_sec`)和微秒数(`tv_usec`)的`struct timeval`结构。
### clock_gettime()
```c
#include <time.h>
#include <sys/time.h>
clockid_t clk_id;
switch (clk_id) {
case CLOCK_MONOTONIC: // 持久不变的时钟,适合于计时
case CLOCK_MONOTONIC_RAW: // 类似上面的,但不受干扰
default:
break;
}
struct timespec ts;
if (clock_gettime(clk_id, &ts)) {
perror("clock_gettime failed");
} else {
long long total_seconds = ts.tv_sec + ts.tv_nsec / 1e9; // 时间戳总秒数
printf("Current time in seconds: %lld\n", total_seconds);
}
```
`clock_gettime()` 可以指定不同的时钟源(如`CLOCK_REALTIME`, `CLOCK_MONOTONIC`等),其中`CLOCK_MONOTONIC`通常用于无跳变时间,适合于长时间计时,而`CLOCK_REALTIME`会受系统日历调整影响。
注意:这两个函数返回的结果都不保证是连续的,如果需要更高精度且连续计时,推荐使用` monotonic`时钟。
阅读全文