计算机是如何计算两个日期之间的天数的,这个问题看起来好像很简单,但是仔细一想,好像还没那么简单,月与月之间天数不一样,平年和闰年也会影响天数。
举个例子:
2017年2月1日-2017年6月1日中间有多少天?那么计算机应该如何计算?如果是你的话你应该怎么去算呢?
一般人:
按照月份加 :28+31+30+31+1
笨一点的人:找一本日历,一天一天的数,虽然慢一点,但只要会数数肯定也可以数出来
第一种算法对人类来说确实是简单的,但是有前提,你知道每个月有几天,今年是否是闰年,这个计算包含两部分,整月数,非整月数,人类几乎口算就可以;但是如果计算机实现起来,其实会复杂的多,因为计算机只会做一些简单重复的劳动,而且速度非常快。
下图是我用python实现的一个简单版本,基本实现了此项需求
import math
def isLeapYear(year):
'''judge a year is leapyear'''
if math.fmod(year, 4) == 0 and math.fmod(year, 100) != 0:
return True
if math.fmod(year, 400) == 0:
return True
return False
def daysInMonth(month, isLeapYear):
assert month >= 1 and month <= 12
monthDays = (31,28,31,30,31,30,31,31,30,31,30,31)
day = monthDays[month-1]
if isLeapYear and month == 2:
day += 1
return day
def nextDay(year, month, day):
isleap = isLeapYear(year)
monthDay = daysInMonth(month, isleap)
if day < monthDay:
return year, month, day + 1
else:
if month == 12:
return year + 1, 1, 1
else:
return year, month + 1, 1
def daysBetweenDates(year1, month1, day1, year2, month2, day2):
days = 0
nextday = (year1, month1, day1)
while True:
nextday = nextDay(nextday[0], nextday[1], nextday[2])
days += 1
if nextday == (year2, month2, day2):
return days
return None
核心算法是daysBetweenDates()和nextDay(), daysBetweenDates()的思想是,从第一个日期开始数,一直数到第二个日期返回; nextDay()实现了数日期的正确性,内部屏蔽了闰年和月份对天数的影响。
什么是闰年这个很多人一直忽略的问题,以及它的算法为什么是这个样子,这里贴一个链接。