输入年份,判断是否为闰年
时间: 2024-09-30 21:04:23 浏览: 32
在格里高利历(公历)中,判断闰年的规则是这样的:
1. 如果该年份能被4整除但不能被100整除,那么它是闰年。
2. 但是如果该年份同时可以被400整除,那么它依然是闰年。
换句话说,普通闰年有366天,而世纪闰年(即以00结尾的年份)则需要额外满足能被400整除的条件才能成为闰年。
例如,2000年是闰年,因为既能被4整除又能被400整除;而1900年不是闰年,因为它虽然能被4整除,但是不能被400整除;而2021年不是闰年,因为它既不能被4整除也不能被400整除。
要编写一个程序来判断一个给定年份是否为闰年,你可以用如下的Python代码片段作为参考:
```python
def is_leap_year(year):
if year % 4 == 0:
if year % 100 != 0 or (year % 400 == 0):
return True
else:
return False
# 测试示例
print(is_leap_year(2000)) # 输出:True
print(is_leap_year(1900)) # 输出:False
```
相关问题
fortran 输入年份判断是否为闰年
Fortran是一种编程语言,可以用来编写科学计算和数值分析的程序。下面是一个Fortran程序示例,用于判断输入的年份是否为闰年:
```fortran
program leap_year
implicit none
integer :: year
! 从用户输入获取年份
write(*,*) "请输入一个年份:"
read(*,*) year
! 判断是否为闰年
if (mod(year, 4) == 0) then
if (mod(year, 100) /= 0 .or. mod(year, 400) == 0) then
write(*,*) year, "是闰年"
else
write(*,*) year, "不是闰年"
end if
else
write(*,*) year, "不是闰年"
end if
end program leap_year
```
上述程序首先会要求用户输入一个年份,然后通过使用`mod`函数来判断该年份是否为闰年。如果能被4整除但不能被100整除,或者能被400整除,则判断为闰年。
C语言输入年份判断是否为闰年
以下是判断闰年的C语言代码:
```c
#include <stdio.h>
int main() {
int year;
printf("请输入年份:");
scanf("%d", &year);
if ((year % 4 == 0 && year % 100 != 0) || year % 400 == 0) {
printf("%d年是闰年\n", year);
} else {
printf("%d年不是闰年\n", year);
}
return 0;
}
```
代码解析:
- 首先定义一个整型变量`year`,用于存储输入的年份。
- 然后通过`printf`函数输出提示信息,要求用户输入年份,通过`scanf`函数接收用户输入的年份。
- 接着使用if语句进行判断,判断是否为闰年。判断条件为:(year % 4 == 0 && year % 100 != 0) || year % 400 == 0,如果成立,则输出该年份为闰年;否则输出该年份不是闰年。
- 最后使用`return`语句结束程序的运行。
判断闰年的逻辑是:如果该年能被4整除但不能被100整除,或者能被400整除,那么该年就是闰年。
阅读全文