用 tm 加减时间

Adding and subtracting time with tm

本文关键字:时间 tm      更新时间:2023-10-16

假设我在 tm 中将时间设置为 23:00:00

ptm->tm_hour = 23; ptm->tm_min = 0; ptm->tm_sec = 0;

我想允许用户从中减去时间

ptm->tm_hour -= hourinput; ptm->tm_min -= minuteinput; ptm->tm_sec -= secondinput;

如果用户减去 0 小时 5 分 5 秒,而不是显示为 22:54:55,它将显示为 23:-5:-5。

我想我可以做一堆 if 语句来检查 ptm 是否低于 0 并说明这一点,但是有没有更有效的方法来获得适当的时间?

是的,您可以使用std::mktime。它不仅将std::tm转换为std::time_t,还可以修复某些字段超出范围时tm。考虑这个例子,我们采用当前时间并添加 1000 秒。

#include <iostream>
#include <iomanip> // put_time
#include <ctime>
int main(int argc, char **argv) {
    std::time_t t = std::time(nullptr);
    std::tm tm = *std::localtime(&t);
    std::cout << "Time: " << std::put_time(&tm, "%c %Z") << std::endl;
    tm.tm_sec += 1000; // the seconds are now out of range
    //std::cout << "Time in 1000 sec" << std::put_time(&tm, "%c %Z") << std::endl; this would crash!
    std::mktime(&tm); // also returns a time_t, but we don't need that here
    std::cout << "Time in 1000 sec: " << std::put_time(&tm, "%c %Z") << std::endl;
    return 0;
}

我的输出:

时间:01/24/19 09:26:46 W. 欧洲标准时间

1000 秒时间:01/24/19 09:43:26 W. 欧洲标准时间

如您所见,时间从09:26:4609:43:26.

这是使用Howard Hinnant的日期库的另一种方法,它正在进入C++2a。

#include <iostream>
#include "date/date.h"
using namespace std::chrono_literals;
// Time point representing the start of today:
auto today = date::floor<date::days>(std::chrono::system_clock::now());
auto someTp = today + 23h; // Today, at 23h00
auto anotherTp = someTp - 5min - 5s; // ... should be self-explanatory now :)
std::cout << date::format("%b-%d-%Y %Tn", anotherTp);

如果要通过用户界面公开时间点的操作,编译时构造23h5min等当然不可用。这些文本构造std::chrono::duration对象,因此您需要一种机制来将用户输入转换为等效实例。