c#输入一个年份值和一个月份值,输出该月的天数。 说明:一年有12个月,大月的天数是31,小月的天数是30。2月的天数比较特殊,遇到闰年是29天,否则为28天。例如,输入2011、3,则输出31天。
时间: 2023-12-03 07:42:50 浏览: 154
以下是使用 C# 编写的解决方案:
```csharp
using System;
class Program {
static void Main(string[] args) {
Console.Write("请输入年份:");
int year = int.Parse(Console.ReadLine());
Console.Write("请输入月份:");
int month = int.Parse(Console.ReadLine());
int days = 0;
switch (month) {
case 1:
case 3:
case 5:
case 7:
case 8:
case 10:
case 12:
days = 31;
break;
case 4:
case 6:
case 9:
case 11:
days = 30;
break;
case 2:
if (year % 4 == 0 && (year % 100 != 0 || year % 400 == 0)) {
days = 29;
} else {
days = 28;
}
break;
default:
Console.WriteLine("输入的月份不合法!");
return;
}
Console.WriteLine($"{year}年{month}月共有{days}天。");
}
}
```
该程序首先提示用户输入年份和月份,然后使用 `switch` 语句判断该月份有多少天,最后输出结果。在判断2月份的天数时,使用了闰年的判断逻辑。如果年份能够被4整除且不能被100整除,或者能够被400整除,则为闰年。
阅读全文