如何将字符串转换为datetime c ++?

问题描述 投票:-2回答:1
string s = v[2];

        string result = s.substr(s.find_last_of("modify=") + 1, 14);

        cout << result;//output MDTM boost.txt 20150911115551 

我想转换像这样的YYYY-MM-DD HH:MM

c++ string time
1个回答
0
投票

要访问与日期和时间相关的函数和结构,您需要在C ++程序中包含头文件。

有四种与时间相关的类型:clock_t,time_t,size_t和tm。类型clock_t,size_t和time_t能够将系统时间和日期表示为某种整数。

结构类型tm以具有以下元素的C结构的形式保存日期和时间:

struct tm {
  int tm_sec;   // seconds of minutes from 0 to 61
  int tm_min;   // minutes of hour from 0 to 59
  int tm_hour;  // hours of day from 0 to 24
  int tm_mday;  // day of month from 1 to 31
  int tm_mon;   // month of year from 0 to 11
  int tm_year;  // year since 1900
  int tm_wday;  // days since sunday
  int tm_yday;  // days since January 1st
  int tm_isdst; // hours of daylight savings time
}

考虑到您具有以下格式的数据字符串“YYYY-MM-DD HH:MM:SS”,下面的代码将显示如何在日期结构中转换字符串:

#include <iostream>
#include <ctime>
#include <string.h>
#include <cstdlib>

using std::cout;
using std::endl;

int main(int argc, char* argv[])
{
    char date[] = "2012-05-06 21:47:59";
    tm *ltm = new tm;

    char* pch;
    pch = strtok(date, " ,.-:");
    ltm->tm_year = atoi(pch); //get the year value
    ltm->tm_mon = atoi(strtok(NULL, " ,.-:"));  //get the month value
    ltm->tm_mday = atoi(strtok(NULL, " ,.-:")); //get the day value
    ltm->tm_hour = atoi(strtok(NULL, " ,.-:")); //get the hour value
    ltm->tm_min = atoi(strtok(NULL, " ,.-:")); //get the min value
    ltm->tm_sec = atoi(strtok(NULL, " ,.-:")); //get the sec value

    // print various components of tm structure.
    cout << "Year: "<< ltm->tm_year << endl;
    cout << "Month: "<< ltm->tm_mon<< endl;
    cout << "Day: "<< ltm->tm_mday << endl;
    cout << "Time: "<< ltm->tm_hour << ":";
    cout << ltm->tm_min << ":";
    cout << ltm->tm_sec << endl;

    delete ltm;
    return 0;   
}

输出:

Year: 2012
Month: 5
Day: 6
Time: 21:47:59
© www.soinside.com 2019 - 2024. All rights reserved.