7

我在 c++ 中使用 strptime() 函数时遇到问题。

我在stackoverflow中找到了一段代码,如下所示,我想将字符串时间信息存储在struct tm上。虽然我应该得到关于我的 tm tm_year 变量的年份信息,但我总是得到一个垃圾。有没有人可以帮助我?提前致谢。

    string  s = dtime;
    struct tm timeDate;
    memset(&timeDate,0,sizeof(struct tm));
    strptime(s.c_str(),"%Y-%m-%d %H:%M", &timeDate);
    cout<<timeDate.tm_year<<endl; // in the example below it gives me 113
    cout<<timeDate.tm_min<<endl; // it returns garbage 
**string s will be like "2013-12-04 15:03"**
4

1 回答 1

14
cout<<timeDate.tm_year<<endl; // in the example below it gives me 113

它应该给你的价值减少了,1900所以如果它给你113,那就意味着年份是2013。月份也会减少1,即如果它给你1,它实际上是二月。只需添加这些值:

#include <iostream>
#include <sstream>
#include <ctime>

int main() {
    struct tm tm;
    std::string s("2013-12-04 15:03");
    if (strptime(s.c_str(), "%Y-%m-%d %H:%M", &tm)) {
        int d = tm.tm_mday,
            m = tm.tm_mon + 1,
            y = tm.tm_year + 1900;
        std::cout << y << "-" << m << "-" << d << " "
                  << tm.tm_hour << ":" << tm.tm_min;
    }
}

输出2013-12-4 15:3

于 2013-10-22T17:43:19.570 回答