以亚秒精度打印当前日期/时间

以亚秒精度打印当前日期/时间

GNUdate(1)理解%N输出纳秒的格式规范,因此:

$ date +%H:%M:%S.%N

输出 19:10:03.725196000

BSD 日期不理解 %N。如何在 OS X 上以亚秒精度打印当前时间?

答案1

如果你有一个足够现代的 Perl 解释器(Time::HiRes从 5.7.2 开始捆绑),你可以使用它的一些变体:

#!/usr/bin/env perl
use strict;
use warnings;

use Time::HiRes qw(gettimeofday);
use POSIX       qw(strftime);

my ($s,$us) = gettimeofday();
printf "%s.%06d\n", strftime("%H:%M:%S", localtime($s)), $us;

示例输出:

$ ./t.pl 
19:52:35.408520

如果您没有 perl(或不想使用它),但您有 C 编译器,则可以使用以下命令:

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

int main(void)
{
    struct timeval now;
    struct tm *tmp;
    char timestr[9];
    int rc;

    rc = gettimeofday(&now, 0);
    if (rc != 0) {
        perror("gettimeofday");
        return 1;
    }

    tmp = localtime(&now.tv_sec);
    if (tmp == 0) {
        perror("localtime");
        return 1;
    }

    rc = strftime(timestr, sizeof(timestr), "%H:%M:%S", tmp);
    if (rc == 0) {
        fprintf(stderr, "strftime call failed.\n");
        return 1;
    }
    printf("%s.%06ld\n", timestr, now.tv_usec);
    return 0;
}

相关内容