我在编写日期调整例程时遇到了同样的问题。将 86400 秒(= 1 天)添加到任何给定的日期时间值应导致日期时间值增加一天。然而在测试中,输出值总是在预期输出上增加一小时。例如,“2019-03-20 00:00:00 ”增加 86400 秒导致“2019-03-21 01:00:00 ”。反过来也发生了:“2019-03-21 00:00:00 ”减-86400导致“2019-03-20 01:00:00 ”。
解决方案(莫名其妙地)是从最终间隔中减去 3600 秒(一小时),然后再将其应用于输入日期时间。
解决方案(感谢@Lightness-Races-in-Orbit 的有用评论tm_isdst
)是在调用之前设置为 -1 mktime()
。这mktime()
表明输入日期时间值的 DST 状态是未知的,mktime()
应该使用系统时区数据库来确定输入日期时间值的正确时区。
该函数(如下更正)允许对天数进行任何整数调整,现在可以产生始终正确的结果:
#include <stdio.h>
#include <string.h>
#include <time.h>
/*******************************************************************************
* \fn adjust_date()
*******************************************************************************/
int adjust_date(
char *original_date,
char *adjusted_date,
char *pattern_in,
char *pattern_out,
int adjustment,
size_t out_size)
{
/*
struct tm {
int tm_sec; // seconds 0-59
int tm_min; // minutes 0-59
int tm_hour; // hours 0-23
int tm_mday; // day of the month 1-31
int tm_mon; // month 0-11
int tm_year; // year minus 1900
int tm_wday; // day of the week 0-6
int tm_yday; // day in the year 0-365
int tm_isdst; // daylight saving time
};
*/
struct tm day;
time_t one_day = 86400;
// time_t interval = (one_day * adjustment) - 3600;
time_t interval = (one_day * adjustment);
strptime(original_date, pattern_in, &day);
day.tm_isdst = -1;
time_t t1 = mktime(&day);
if (t1 == -1) {
printf("The mktime() function failed");
return -1;
}
time_t t2 = t1 + interval;
struct tm *ptm = localtime(&t2);
if (ptm == NULL) {
printf("The localtime() function failed");
return -1;
}
strftime(adjusted_date, out_size, pattern_out, ptm);
return 0;
}
/*******************************************************************************
* \fn main()
*******************************************************************************/
int main()
{
char in_date[64] = "20190321000000" ,
out_date[64],
pattern_in[64] = "%Y%m%d%H%M%S",
pattern_out[64] = "%Y-%m-%d %H:%M:%S";
int day_diff = -1,
ret = 0;
size_t out_size = 64;
memset(out_date, 0, sizeof(out_date));
ret = adjust_date(in_date, out_date, pattern_in, pattern_out, day_diff, out_size);
if (ret == 0)
{
printf("Adjusted date: '%s'\n", out_date);
}
return ret;
}
希望这会对某人有所帮助。非常感谢您的建设性意见。