如何从 C++ 中的天数计算日期?我不需要您编写整个代码,我只是无法计算出计算月份和日期的数学方法!
例子:
input: 1
output: 01/01/2012
input: 10
output: 01/10/2012
input: 365
output: 12/31/2012
它总是使用当前年份,如果超过 365,我会返回 0。不需要闰年检测。
如何从 C++ 中的天数计算日期?我不需要您编写整个代码,我只是无法计算出计算月份和日期的数学方法!
例子:
input: 1
output: 01/01/2012
input: 10
output: 01/10/2012
input: 365
output: 12/31/2012
它总是使用当前年份,如果超过 365,我会返回 0。不需要闰年检测。
使用日期计算库,例如精细的Boost Date_Time库
using namespace boost::gregorian;
date d(2012,Jan,1); // or one of the other constructors
date d2 = d + days(365); // or your other offsets
使用标准库甚至不是很困难。如果我像 C 程序员一样编写 C++ 代码,请见谅(C++<ctime>
没有可重入gmtime
函数):
#include <time.h>
#include <cstdio>
int main(int argc, char *argv[])
{
tm t;
int daynum = 10;
time_t now = time(NULL);
gmtime_r(&now, &t);
t.tm_sec = 0;
t.tm_min = 0;
t.tm_hour = 0;
t.tm_mday = 1;
t.tm_mon = 1;
time_t ref = mktime(&t);
time_t day = ref + (daynum - 1) * 86400;
gmtime_r(&day, &t);
std::printf("%02d/%02d/%04d\n", t.tm_mon, t.tm_mday, 1900 + t.tm_year);
return 0;
}
抱歉,如果没有闰年检测,我不知道如何做到这一点。
一个程序的简单片段,假设一年有 365 天:
int input, day, month = 0, months[13] = {0, 31, 59, 90, 120, 151, 181, 212, 243, 273, 304, 334, 365};
while (input > 365) {
// Parse the input to be less than or equal to 365
input -= 365;
}
while (months[month] < input) {
// Figure out the correct month.
month++;
}
// Get the day thanks to the months array
day = input - months[month - 1];