判断今年是闰年还是平年,并将结果输出python
时间: 2024-05-13 12:20:54 浏览: 67
代码如下:
```python
year = int(input("请输入一个年份:"))
if year % 4 == 0 and year % 100 != 0 or year % 400 == 0:
print(f"{year}年是闰年")
else:
print(f"{year}年是平年")
```
运行结果:
```
请输入一个年份:2020
2020年是闰年
```
相关问题
python 咋判断今年是闰年还是平年
可以使用以下代码判断今年是闰年还是平年:
```
import datetime
current_year = datetime.datetime.now().year
if current_year % 4 == 0 and current_year % 100 != 0 or current_year % 400 == 0:
print(current_year, "是闰年")
else:
print(current_year, "是平年")
```
解释一下,闰年的定义是能够被4整除但不能被100整除的年份,或者能够被400整除的年份。因此,我们可以使用取模运算符(%)来判断当前年份是否符合这个条件。如果符合,就可以判断为闰年;否则,判断为平年。在代码中,我们使用datetime库获取当前年份,然后进行判断,并输出结果。
Python用for,while判断年份是闰年还是平年
在Python中,我们可以使用`for`循环和`while`循环结合一些条件判断来确定一个年份是否是闰年。根据闰年的规则,能被4整除但不能被100整除的年份是闰年,除非它同时也能被400整除。以下是两个示例:
1. 使用`for`循环:
```python
def is_leap_year(year):
for check in range(4, year + 1, 4): # 循环从4到给定年份,步长为4
if (check % 4 == 0 and check % 100 != 0) or (check % 400 == 0):
return True
return False
year = int(input("请输入一个年份:"))
if is_leap_year(year):
print(f"{year}年是闰年")
else:
print(f"{year}年不是闰年")
```
2. 使用`while`循环:
```python
def is_leap_year_alternative(year):
i = 4
while i <= year:
if i % 4 == 0 and (i % 100 != 0 or i % 400 == 0):
return True
i += 4
return False
# 同样请求用户输入并检查闰年
year = int(input("请输入一个年份:"))
if is_leap_year_alternative(year):
print(f"{year}年是闰年")
else:
print(f"{year}年不是闰年")
```
阅读全文