我有一个以长值存储的日期,即 20130228,我需要对其执行操作,例如添加 30 天或 50 天等。关于如何将其转换为更合适的内容的任何建议?
3 回答
如果这样存储
unsigned long d = 20130228;
你必须先用简单的算术把它分割成一个struct tm
struct tm tm;
tm.tm_year = d / 10000 - 1900;
tm.tm_mon = (d % 10000) / 100 - 1;
tm.tm_mday = d % 100;
tm.tm_hour = tm.tm_min = tm.tm_sec = 0;
tm.tm_isdst = -1;
然后你可以30
为tm.tm_mday
. 如果您使用mktime()
,您将收到一个time_t
as秒,因为纪元和字段tm
将被规范化
time_t t = mktime(&tm);
您可以提取年、月和日,然后在考虑每个月有多少天并考虑闰年的情况下添加您的天数。
#include <stdio.h>
unsigned long AddDays(unsigned long StartDay, unsigned long Days)
{
unsigned long year = StartDay / 10000, month = StartDay / 100 % 100 - 1, day = StartDay % 100 - 1;
while (Days)
{
unsigned daysInMonth[2][12] =
{
{ 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31 }, // 365 days, non-leap
{ 31, 29, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31 } // 366 days, leap
};
int leap = !(year % 4) && (year % 100 || !(year % 400));
unsigned daysLeftInMonth = daysInMonth[leap][month] - day;
if (Days >= daysLeftInMonth)
{
day = 0;
Days -= daysLeftInMonth;
if (++month >= 12)
{
month = 0;
year++;
}
}
else
{
day += Days;
Days = 0;
}
}
return year * 10000 + (month + 1) * 100 + day + 1;
}
int main(void)
{
unsigned long testData[][2] =
{
{ 20130228, 0 },
{ 20130228, 1 },
{ 20130228, 30 },
{ 20130228, 31 },
{ 20130228, 32 },
{ 20130228, 365 },
{ 20130228, 366 },
{ 20130228, 367 },
{ 20130228, 365*3 },
{ 20130228, 365*3+1 },
{ 20130228, 365*3+2 },
};
unsigned i;
for (i = 0; i < sizeof(testData) / sizeof(testData[0]); i++)
printf("%lu + %lu = %lu\n", testData[i][0], testData[i][1], AddDays(testData[i][0], testData[i][1]));
return 0;
}
输出(ideone):
20130228 + 0 = 20130228
20130228 + 1 = 20130301
20130228 + 30 = 20130330
20130228 + 31 = 20130331
20130228 + 32 = 20130401
20130228 + 365 = 20140228
20130228 + 366 = 20140301
20130228 + 367 = 20140302
20130228 + 1095 = 20160228
20130228 + 1096 = 20160229
20130228 + 1097 = 20160301
另一种选择是提取年、月和日,并将它们转换为epoch
使用后的秒数mktime()
或类似功能,将表示从给定日期开始的那些天的秒数添加到该秒数,然后将生成的秒数转换回来使用gmtime()
orlocaltime()
或类似函数输入日期,然后构造长整数值。我选择不使用这些功能来避免时区和夏令时之类的事情。我想要一个简单而包含的解决方案。
通过将日期转换为“从 X 开始的时间单位”,对日期进行“数学运算”往往要容易得多——time_t
标准库中的“从 1970 年 1 月 1 日午夜开始的秒数”。因此,使用mktime
from astruct tm
将是一种解决方案。
如果由于某种原因您不想这样做,那么将您的日期转换为“自(例如)2000 年 1 月 1 日以来的天数”将起作用。在处理整年(应该涵盖这一点)时,您必须考虑闰年year % 4 == 0 && (year % 100 != 0 || year %400 == 0)
,当然在一年内您必须注意每月的天数。到日期的转换类似但相反。