C++11 中提供了日期和时间相关的库 chrono,通过 chrono 库可以很方便地处理日期和时间,为程序的开发提供了便利。chrono 库主要包含三种类型的类:时间间隔duration、时钟clocks、时间点time point。
1. Ratio 时间精度(节拍)
std::chrono::ratio 是一种用来表示有理数分数的东西,不过它的功能仅限于把分子和分母约分到最简。
template<std::intmax_t Num, std::intmax_t Denom = 1> class ratio;
Num标识分子,Denom表示分母。
#include <chrono>
#include <stdio.h>
#include <iostream>
using namespace std;
int main()
{
std::ratio<3, 9> a;
cout << a.num << "," << a.den;
return 0;
}
//输出结果:3,1
2.Durations
std::chrono::duration 是表示一段时间间隔的数据类型,比如两个小时,12.88秒,半个时辰,一炷香的时间等等,只要能换算成秒即可。
template <class Rep, class Period = ratio<1>> class duration;
- Rep表示 想要保存的数值类型,比如int, float, double, long long
- Period是ratio类型,用来表示 时间单位,比如second, milisesecond
chrono中宏定义了许多特例化了的duration:常见的有hours,miniutes,seconds,milliseconds等,使用std::chrono::milliseconds直接使用。
3.时间点
template <class Clock, class Duration = typename Clock::duration>
class time_point;
std::chrono::time_point 表示一个具体时间,如上个世纪80年代、今天下午3点、火车出发时间等,只要它能用计算机时钟表示.
- 模板参数Clock用来指定所要使用的时钟(标准库中有三种时钟,system_clock,steady_clock和high_resolution_clock。见4时钟详解)
- 第二个模板函数参数用来表示时间的计量单位(特化的std::chrono::duration<> )
时间点都有一个时间戳,即时间原点。chrono库中采用的是Unix的时间戳1970年1月1日 00:00。所以time_point也就是距离时间戳(epoch)的时间长度(duration)。
#include <iostream>
#include <chrono>
#include <ctime>
using namespace std;
int main()
{
//定义毫秒级别的时钟类型
typedef chrono::time_point<chrono::system_clock, chrono::milliseconds> microClock_type;
//获取当前时间点,windows system_clock是100纳秒级别的(不同系统不一样,自己按照介绍的方法测试),所以要转换
microClock_type tp = chrono::time_point_cast<chrono::milliseconds>(chrono::system_clock::now());
//转换为ctime.用于打印显示时间
time_t tt = chrono::system_clock::to_time_t(tp);
char _time[50];
ctime_s(_time, sizeof(_time), &tt);
cout << "now time is : " << _time;
//计算距离1970-1-1,00:00的时间长度,因为当前时间点定义的精度为毫秒,所以输出的是毫秒
cout << "to 1970-1-1,00:00 " << tp.time_since_epoch().count() << "ms" << endl;
system("pause");
return 0;
}
处理日期和时间的chrono库 | 爱编程的大丙