c#输入一个年份值和一个月份值,输出该月的天数。 说明:一年有12个月,大月的天数是31,小月的天数是30。2月的天数比较特殊,遇到闰年是29天,否则为28天。例如,输入2011、3,则输出31天。
时间: 2023-12-03 15:44:07 浏览: 51
判断某月的最后一天 vb 一个函数
3星 · 编辑精心推荐
以下是使用 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("{0}年{1}月有{2}天。", year, month, days);
}
}
```
在这段代码中,我们使用了 `switch` 语句对不同的月份进行判断,并将相应的天数赋值给 `days` 变量。对于2月份,我们使用了条件语句进行判断,判断该年份是否为闰年,从而确定2月份的天数。最后,我们输出结果。
阅读全文