断今年是否为闰年。如果年份能被400整除,则为闰年;如果年份能被4整除但不能被100整除也为闰年。年份由程序自动获取。已知时间库time有个函数localtime()可以获取当前系统时间。 import time date = time.localtime() #获取当前日期时间 year= date[0] 编写程序之前可以先研究一下以上语句。 示例 输入: (无) 输出:2021年不是闰年
时间: 2024-02-15 13:01:45 浏览: 50
输入年份 判别是否为闰年
可以利用 Python 的时间库 `time` 中的 `localtime()` 函数获取当前系统时间,然后提取出当前年份,然后根据闰年的定义进行判断。具体实现可以参考以下代码:
```python
import time
date = time.localtime()
year = date.tm_year
if (year % 400 == 0) or (year % 4 == 0 and year % 100 != 0):
print(str(year) + "年是闰年")
else:
print(str(year) + "年不是闰年")
```
在这里,我们利用 `localtime()` 函数获取当前系统时间,然后用 `tm_year` 属性提取出当前年份。然后,根据闰年的定义,判断当前年份是否为闰年。如果能被 400 整除或者能被 4 整除但不能被 100 整除,则为闰年。如果满足条件,则输出当前年份为闰年,否则输出当前年份不是闰年。
阅读全文