Jon Skeet谈到了2009年伦敦DevDays编程日期和时间的复杂性。
您能否介绍一下UNIX上的ANSI C日期/时间函数,并指出在使用日期和时间时我还应该考虑的一些更深层次的问题?
答案 0 :(得分:16)
日期/时间可以采用两种格式:
日期/时间函数和类型在time.h头文件中声明。
时间可以存储为整数或结构的实例:
作为使用time_t算术类型的数字 - 将日历时间存储为自UNIX纪元1970年1月1日00:00:00
使用结构timeval - 将日历时间存储为自UNIX纪元1970年1月1日00:00:00
使用结构tm存储localtime,它包含以下属性:
tm_hour
tm_min
tm_isdst
上面的tm_isdst属性用于指示夏令时(DST)。如果值为正,则为DST,如果值为0,则不是DST。
#include <stdio.h>
#include <time.h>
int main ( int argc, char *argv[] )
{
time_t now;
now = time ( NULL );
printf ( "It’s %ld seconds since January 1, 1970 00:00:00", (long) now );
return 0;
}
在上面的程序中,函数time读取UNIX系统时间,从1970年1月1日00:00:00(UNIX纪元)中减去它,并以秒为单位返回结果。
#include <stdio.h>
#include <time.h>
int main ( int argc, char *argv[] )
{
time_t now;
struct tm *lcltime;
now = time ( NULL );
lcltime = localtime ( &now );
printf ( "The time is %d:%d\n", lcltime->tm_hour, lcltime->tm_min );
return 0;
}
在上面的程序中,函数localtime将经过的时间(以秒为单位)从UNIX纪元转换为细分时间。 localtime读取UNIX环境TZ(通过调用tzset函数)返回相对于时区的时间并设置tm_isdst属性。
UNIX中TZ变量的典型设置(使用bash)如下:
export TZ=GMT
或
export TZ=US/Eastern
#include <stdio.h>
#include <time.h>
int main ( int argc, char *argv[] )
{
time_t now;
struct tm *gmt;
char formatted_gmt [50];
now = time ( NULL );
gmt = gmtime ( &now );
strftime ( formatted_gmt, sizeof(formatted_gmt), "%I:%M %p", gmt );
printf ( "The time is %s\n", formatted_gmt );
return 0;
}
在上面的程序中,函数strftime提供了日期的专门格式。