python输入一个年份判断是否为闰年bool判断
时间: 2024-05-09 14:21:32 浏览: 110
可以使用以下代码判断是否为闰年:
```python
year = int(input("请输入一个年份:"))
is_leap_year = False
if year % 4 == 0:
if year % 100 == 0:
if year % 400 == 0:
is_leap_year = True
else:
is_leap_year = True
if is_leap_year:
print(year, "是闰年")
else:
print(year, "不是闰年")
```
这段代码可以判断输入的年份是否为闰年,并输出相应的结果。
相关问题
python输入年份判断闰年c#
在Python中,你可以使用以下简单的逻辑来判断一个年份是否是闰年:
```python
def is_leap_year(year):
if year % 4 == 0:
if year % 100 != 0 or (year % 400 == 0): # 非世纪年或世纪闰年
return True
else:
return False
else:
return False
year = int(input("请输入一个年份:"))
if is_leap_year(year):
print(f"{year}是闰年")
else:
print(f"{year}不是闰年")
```
而在C#中,也有类似的做法,可以参考下面的代码:
```csharp
using System;
class Program
{
static void Main()
{
Console.Write("请输入一个年份:");
int year = Convert.ToInt32(Console.ReadLine());
if (IsLeapYear(year))
{
Console.WriteLine($"{year}是闰年");
}
else
{
Console.WriteLine($"{year}不是闰年");
}
}
public static bool IsLeapYear(int year)
{
return (year % 4 == 0 && year % 100 != 0) || (year % 400 == 0);
}
}
```
在这两个例子中,都遵循了闰年的规则:能被4整除但不能被100整除的年份是闰年,除非它也能被400整除。
用python 编写函数判断输入的年份是否是闰年
在Python中,我们可以编写一个简单的函数来判断给定的年份是否是闰年。闰年的规则是:能被4整除的年份通常是闰年,但是能被100整除的不是闰年;不过,如果该年份同时也能被400整除,则仍为闰年。以下是相应的函数实现:
```python
def is_leap_year(year):
"""
判断输入的年份是否是闰年
参数:
year (int): 需要检查的年份
返回值:
bool: 如果是闰年返回True,否则返回False
"""
if isinstance(year, int) and year >= 0: # 检查输入的是正整数
if year % 4 == 0:
if year % 100 != 0 or year % 400 == 0: # 遵循闰年的规则
return True
else:
return False
else:
return False
else:
raise ValueError("请输入一个非负整数年份")
# 示例
print(is_leap_year(2000)) # 输出: True
print(is_leap_year(1900)) # 输出: False
```
阅读全文