格式化struct timespec

Car*_*s00 30 c linux gcc

如何格式化struct timespec为字符串?这个结构例如clock_gettime()在Linux gcc上返回:

struct timespec {
    time_t   tv_sec;        /* seconds */
    long     tv_nsec;       /* nanoseconds */
};
Run Code Online (Sandbox Code Playgroud)

caf*_*caf 41

格式化的一种方法是:

printf("%lld.%.9ld", (long long)ts.tv_sec, ts.tv_nsec)
Run Code Online (Sandbox Code Playgroud)


ste*_*nct 18

我想问同样的问题.这是我目前获得这样一个字符串的解决方案:2013-02-07 09:24:40.749355372 我不确定是否有比这更直接的解决方案,但至少字符串格式可以通过这种方法自由配置.

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <time.h>

#define NANO 1000000000L

// buf needs to store 30 characters
int timespec2str(char *buf, uint len, struct timespec *ts) {
    int ret;
    struct tm t;

    tzset();
    if (localtime_r(&(ts->tv_sec), &t) == NULL)
        return 1;

    ret = strftime(buf, len, "%F %T", &t);
    if (ret == 0)
        return 2;
    len -= ret - 1;

    ret = snprintf(&buf[strlen(buf)], len, ".%09ld", ts->tv_nsec);
    if (ret >= len)
        return 3;

    return 0;
}

int main(int argc, char **argv) {
    clockid_t clk_id = CLOCK_REALTIME;
    const uint TIME_FMT = strlen("2012-12-31 12:59:59.123456789") + 1;
    char timestr[TIME_FMT];

    struct timespec ts, res;
    clock_getres(clk_id, &res);
    clock_gettime(clk_id, &ts);

    if (timespec2str(timestr, sizeof(timestr), &ts) != 0) {
        printf("timespec2str failed!\n");
        return EXIT_FAILURE;
    } else {
        unsigned long resol = res.tv_sec * NANO + res.tv_nsec;
        printf("CLOCK_REALTIME: res=%ld ns, time=%s\n", resol, timestr);
        return EXIT_SUCCESS;
    }
}
Run Code Online (Sandbox Code Playgroud)

输出:

gcc mwe.c -lrt 
$ ./a.out 
CLOCK_REALTIME: res=1 ns, time=2013-02-07 13:41:17.994326501
Run Code Online (Sandbox Code Playgroud)


Cha*_*rns 7

以下将返回符合 ISO8601 和 RFC3339 的 UTC 时间戳,包括纳秒。

它使用strftime(),它与struct timespec和 一样适用struct timeval,因为它只关心两者都提供的秒数。然后附加纳秒(小心用零填充!)以及 UTC 后缀“Z”。

输出示例:2021-01-19T04:50:01.435561072Z

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

int utc_system_timestamp(char[]);

int main(void) {
    char buf[31];
    utc_system_timestamp(buf);
    printf("%s\n", buf);
}

// Allocate exactly 31 bytes for buf
int utc_system_timestamp(char buf[]) {
    const int bufsize = 31;
    const int tmpsize = 21;
    struct timespec now;
    struct tm tm;
    int retval = clock_gettime(CLOCK_REALTIME, &now);
    gmtime_r(&now.tv_sec, &tm);
    strftime(buf, tmpsize, "%Y-%m-%dT%H:%M:%S.", &tm);
    sprintf(buf + tmpsize -1, "%09luZ", now.tv_nsec);
    return retval;
}
Run Code Online (Sandbox Code Playgroud)

GCC 命令行示例(注意-lrt):

gcc foo.c -o foo -lrt
Run Code Online (Sandbox Code Playgroud)

  • `sprintf(buf, "%s%09luZ", buf, now.tv_nsec);` 是未定义的行为,目标缓冲区可能不与任何其他参数重叠。`sprintf(buf+strlen(buf), "%09luZ", now.tv_nsec);` 就是要走的路。 (2认同)