C ++将String转换为time_t变量

C++ Converting A String to a time_t variable

我正在研究一个C ++函数,它应该判断两个时间点之间是否发生了指定的事件。事件名称,开始日期时间和结束日期时间都是从Lua作为字符串传递的。因此,我需要将我的日期时间字符串解析为time_t变量。根据我在StackOverflow和其他论坛上看到的内容,此代码应该可以正常工作:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
time_t tStart;
int yy, month, dd, hh, mm, ss;
struct tm whenStart = {0};
const char *zStart = startTime.c_str();

sscanf(zStart,"%d/%d/%d %d:%d:%d", &yy, &month, &dd, &hh, &mm, &ss);
whenStart.tm_year = yy - 1900;
whenStart.tm_mon = month - 1;
whenStart.tm_mday = dd;
whenStart.tm_hour = hh;
whenStart.tm_min = mm;
whenStart.tm_sec = ss;
whenStart.tm_isdst = -1;

tStart = mktime(&whenStart);

但是,tStart似乎在这里被赋值为-1。如果我使用strftime从whenStart重建一个字符串,那么该tm结构似乎已完全正确。不管怎么说,mktime()不喜欢这个结构。这段代码有什么问题?

此外,在你回答之前,知道我已经尝试过使用strptime()调用。由于我不清楚的原因,此函数被"未定义引用'strptime'"错误拒绝。我找到的关于如何解决这个问题的各种描述只会破坏我正在使用的其余代码库,所以我宁愿避免弄乱_XOPEN_SOURCE或类似的重定义。

谢谢你的帮助!


您发布的代码是正确的。

这使我相信您的输入字符串(startTime)不是您期望的格式,因此sscanf无法解析值。

例:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
#include <iostream>

int main()
{
    std::string startTime ="2016/05/18 13:10:00";

    time_t tStart;
    int yy, month, dd, hh, mm, ss;
    struct tm whenStart;
    const char *zStart = startTime.c_str();

    sscanf(zStart,"%d/%d/%d %d:%d:%d", &yy, &month, &dd, &hh, &mm, &ss);
    whenStart.tm_year = yy - 1900;
    whenStart.tm_mon = month - 1;
    whenStart.tm_mday = dd;
    whenStart.tm_hour = hh;
    whenStart.tm_min = mm;
    whenStart.tm_sec = ss;
    whenStart.tm_isdst = -1;

    tStart = mktime(&whenStart);

    std::cout << tStart << std::endl;
}

输出:

1463595000

你有理智检查你的输入吗?

请注意,您可以检查sscanf的返回值,以验证它是否按预期工作。

Return value
Number of receiving arguments successfully assigned, or EOF if read failure occurs before the first receiving argument was assigned.

如果返回值不是6,则输入字符串不正确。

1
2
3
4
5
6
7
int num_args = sscanf(zStart,"%d/%d/%d %d:%d:%d", &yy, &month, &dd, &hh, &mm, &ss);
if (num_args != 6)
{
    std::cout <<"error in format string" << startTime << '
'
;
    return 1;
}

根据经验,你不应该假设你的输入是正确的。 因此,防御性编程是一个很好的习惯。