有谁知道如何从ISO-8601格式的日期/时间字符串转到time_t
? 我正在使用 C++,它需要在 Windows 和 Mac 上运行。
我已经编写了代码,但我确信有一个更“标准”的版本。
我会得到一个日期2011-03-21 20:25
,我必须知道时间是过去还是未来。
我认为一个丑陋的 hack 会很有趣:因为您只想确定哪个日期/时间更大,您可以将日期转换为字符串并比较字符串。;-) (好处是你不需要 strptime 不是到处都可用的。)
#include <string.h>
#include <time.h>
int main(int argc, char *argv[])
{
const char *str = "2011-03-21 20:25";
char nowbuf[100];
time_t now = time(0);
struct tm *nowtm;
nowtm = localtime(&now);
strftime(nowbuf, sizeof(nowbuf), "%Y-%m-%d %H:%M", nowtm);
if (strncmp(str, nowbuf, strlen(str)) >= 0) puts("future"); else puts("past");
return 0;
}
您可以使用strptime
将字符串转换为 a struct tm
,然后您可以使用mktime
将 a 转换struct tm
为 a time_t
。例如:
// Error checking omitted for expository purposes
const char *timestr = "2011-03-21 20:25";
struct tm t;
strptime(timestr, "%Y-%m-%d %H:%M", &t);
time_t t2 = mktime(&t);
// Now compare t2 with time(NULL) etc.
如果时间戳在本地时区,则以下方法从 ISO8601 转换为 UTC。它也没有忽略潜在的夏令时。它是标准的 C99。
#include <stdio.h>
#include <time.h>
time_t from_iso8601_utc(const char* dateStr)
{
struct tm t;
int success = sscanf(dateStr, "%d-%d-%dT%d:%dZ", /* */
&t.tm_year, &t.tm_mon, &t.tm_mday, &t.tm_hour, &t.tm_min);
if (success != 5) {
return 0;
}
/* compensate expected ranges */
t.tm_year = t.tm_year - 1900;
t.tm_mon = t.tm_mon - 1;
t.tm_sec = 0;
t.tm_wday = 0;
t.tm_yday = 0;
t.tm_isdst = 0;
time_t localTime = mktime(&t);
time_t utcTime = localTime - timezone;
return utcTime;
}