判断闰年(算法:能被4整除且不能整除100的为闰年(如2004年就是闰年1901年不是闰年)或者能够被400整除的就是闰年)代码
时间: 2023-11-13 13:03:56 浏览: 70
```
def is_leap_year(year):
if year % 4 == 0 and year % 100 != 0:
return True
elif year % 400 == 0:
return True
else:
return False
```
示例:
```
print(is_leap_year(2004)) # True
print(is_leap_year(1901)) # False
print(is_leap_year(2000)) # True
print(is_leap_year(2021)) # False
```
相关问题
用js打出 判断闰年(算法:能被4整除且不能整除100的为闰年(如2004年就是闰年1901年不是闰年)或者能够被400整除的就是闰年)
function isLeapYear(year) {
if (year % 4 === 0 && year % 100 !== 0) {
return true;
} else if (year % 400 === 0) {
return true;
} else {
return false;
}
}
// example usage
console.log(isLeapYear(2004)); // true
console.log(isLeapYear(1901)); // false
3.从键盘里输入一个年份,判断是否是闰年 闰年特点:能被4整除但不能被100整除或者能被400整除
判断一个年份是否是闰年的算法相对简单。如果满足以下条件之一,那么这个年份就是闰年:
1. 能够被4整除,例如2004年、2020年;
2. 能被100整除,但是同时也能被400整除,比如1900年不是闰年,因为虽然它能被100整除,但它不能被400整除;而2000年是闰年,因为它既能被100整除又能被400整除。
你可以按照以下步骤编写代码来实现这个功能:
```python
def is_leap_year(year):
if year % 4 == 0:
if year % 100 == 0:
if year % 400 == 0:
return True
else:
return False
else:
return True
else:
return False
year = int(input("请输入一个年份:"))
if is_leap_year(year):
print(f"{year}是闰年")
else:
print(f"{year}不是闰年")
阅读全文