Chrono,c++,比较日期

Chrono, c++, comparing dates

我在比较 chrono 库中的日期时遇到问题。 例如,当 date_to_do_something 与当前日期匹配时应该发生一些事情。

#include <iostream>
#include <chrono> 
#include <typeinfo>
using namespace std;

int main(){
 end = chrono::system_clock::now();
 string date_to_do_something ="Tue Jul 27 17:13:17 2021";  
 time_t end_time = chrono::system_clock::to_time_t(end);
 //gives some weird types:pc, pl
 cout<<typeid(ctime(&end_time)).name()<<endl;
 cout<<typeid(&end_time).name()<<endl;
 //Now how to compare?
 
}


首先,pcpl类型是char*long*类型。如果你想使用 typeid 打印完整的类型名称,你的输出将通过管道传输到 c++filt,类似于 ./prog | c++filt --types。 要比较这两个日期,您应该将 std::string 转换为 time_t。为此使用 tm structure。要将字符串转换为时间,请使用 time.h header 中的 strptime() 函数。之后使用 from_time_t()mktime() 创建 time_point 值。最后使用 to_time_t() 函数将 time_point_t 类型转换为 time_t

你的代码应该是这样的:

  auto end = chrono::system_clock::now();
  string date_to_do_something = "Mon Jul 27 17:13:17 2021";
  time_t end_time = chrono::system_clock::to_time_t(end);
  // gives some weird types:pc, pl
  cout << typeid(ctime(&end_time)).name() << endl;
  cout << typeid(&end_time).name() << endl;
  // Now how to compare?
  tm t = tm{};
  strptime(date_to_do_something.c_str(), "%a %b %d %H:%M:%S %Y", &t);
  chrono::system_clock::time_point tp =
      chrono::system_clock::from_time_t(mktime(&t));
  time_t time = chrono::system_clock::to_time_t(tp);
  if (time == end_time) {
    // do something
  } else {
    // do something else
  }