C++ 日期&时间
C++标准库没有提供所谓的日期类型。C++继承了C语言用于日期和实际操作的结构和函数。为了使用日期和时间相关的函数和结构,需要在C++程序中引用<ctime>
头文件。有四个与时间相关的类型:
- clock_t
- time_t
- size_t
- tm
能够把系统时间和日期表示为某种整数。结构类型tm
把日期和时间以C结构的形式保存,tm
结构的定义如下
struct tm{
int tm_sec;//秒,正常范围0-59
int tm_min;//分,范围0-59
int tm_hour;//小时,范围0-23
int tm_mday;//一个月中的第几天,范围1-31
int tm_mon;//月,范围0-11
int tm_year;//自1900年起的年数
int tm_wday;//一周中的第几天,范围0-6
int tm_yday;//一年中的第几页,范围0-365,从1月1日算起
int tm_isdst;//夏令时
}
下面是C/C++中关于日期和时间的重要函数。所有这些函数都是C/C++标准库的组成部分,可以在C++标准库中查看一下各函数的细节。
函数 | 描述 |
---|---|
time_t time(time_t *time) | 该函数返回系统的当前日历时间,自1900年1月1日以来经过的秒数,如果系统没有时间,返回-1 |
char *ctime(const time_t *time) | 该函数返回一个表示当地时间的字符串指针,字符串形式day month year hours:minutes:seconds year\n。 |
struct tm *localtime(const time_t *time); | 该函数返回一个指向表示本地时间的 tm 结构的指针。 |
clock_t clock(void); | 该函数返回程序执行起(一般为程序的开头),处理器时钟所使用的时间。如果时间不可用,则返回 -1。 |
char * asctime ( const struct tm * time ); | 该函数返回一个指向字符串的指针,字符串包含了 time 所指向结构中存储的信息,返回形式为:day month date hours:minutes:seconds year\n\0。 |
struct tm *gmtime(const time_t *time); | 该函数返回一个指向 time 的指针,time 为 tm 结构,用协调世界时(UTC)也被称为格林尼治标准时间(GMT)表示。 |
time_t mktime(struct tm *time); | 该函数返回日历时间,相当于 time 所指向结构中存储的时间。 |
double difftime ( time_t time2, time_t time1 ); | 该函数返回 time1 和 time2 之间相差的秒数。 |
size_t strftime() | 该函数可用于格式化日期和时间为指定的格式。 |
实例:
#include<iostream>
#include<ctime>
using namespace std;
int main(){
time_t now = time(0);//基于当前系统的当前日期/时间
char* dt = ctime(&now);//把now转为字符串形式
cout<<"local time:"<<dt<<endl;
tm *gmgt = gmtime(&now);
dt = asctime(gmgt);//UTC时间和我们时间差8h
cout<<"UTC time:"<<dt<<endl;
return 0;
}
结果输出:
- 使用结构tm格式化时间
tm结构在C/C++中处理日期和时间相关操作时,显得非常重要。tm结构以C结构的形式保存日期和时间。大多数与时间相关的函数都使用了tm结构。下面实例使用了tm结构与各种日期和时间相关的函数。
#include <iostream>
#include<ctime>
using namespace std;
int main(){
time_t now = time(0);//基于当前系统获取当前日期和时间
cout<<"from 1970.1.1 to now, the seconds:"<<now<<endl;
tm *ltm = localtime(&now);
cout<<"year:"<<1900+ltm->tm_year<<endl;
cout<<"month:"<<1+ltm->tm_mon<<endl;
cout<<"day:"<<ltm->tm_mday<<endl;
cout<<"time:"<<ltm->tm_hour<<":";
cout<<1+ltm->tm_min<<":";
cout<<1+ltm->tm_sec<<endl;
return 0;
}
结果显示: