编写一个程序,在主程序中求1900~2020年中所有的闰年,每行输出5个年份。闰年即能被4整除,但不能被100整除,或者能被400整除的年份。要求定义一个函数isLeap(),该函数用来判断某年是否为闰年,是闰年则函数返回True,否则返回Flase。
时间: 2024-05-16 20:16:02 浏览: 151
可以参考以下代码实现:
```python
def isLeap(year):
"""
判断某一年是否为闰年
"""
if (year % 4 == 0 and year % 100 != 0) or year % 400 == 0:
return True
else:
return False
# 主程序
count = 0
for year in range(1900, 2021):
if isLeap(year):
print(year, end='\t')
count += 1
if count % 5 == 0:
print('\n')
```
输出结果为:
```
1904 1908 1912 1916 1920
1924 1928 1932 1936 1940
1944 1948 1952 1956 1960
1964 1968 1972 1976 1980
1984 1988 1992 1996 2000
2004 2008 2012 2016 2020
```
这里的isLeap()函数采用了常规的闰年判断方法,根据闰年的定义来判断。主程序中采用了for循环,遍历1900到2020年的每一年,判断每一年是否为闰年,如果是,则输出该年份。同时利用一个计数器count,每输出5个年份就换行。
阅读全文