用年和月的数字计算一个月中的天数
本文关键字:一个 数字 计算 | 更新日期: 2023-09-27 18:30:06
而不是使用:
int noOfDaysInMonth = DateTime.DaysInMonth(DateTime.Now.Year, DateTime.Now.Month);
我想使用传入的2个值来获取一个月中的天数:
public ActionResult Index(int? month, int? year)
{
DateTime Month = System.Convert.ToDateTime(month);
DateTime Year = System.Convert.ToDateTime(year);
int noOfDaysInMonth = DateTime.DaysInMonth(Year, Month);
(Year,Month)是否标记为无效参数?有什么想法吗?也许是system.coert.todatetime.month?
它们是DateTime
变量,但DaysInMonth
需要int
s:
int noOfDaysInMonth = DateTime.DaysInMonth(year.Value, month.Value);
如果它们可以为空:
int noOfDaysInMonth = -1;
if(year != null && month != null)
noOfDaysInMonth = DateTime.DaysInMonth(year.Value, month.Value);
对于采用两个DateTime
实例的DateTime.DaysInMonth
方法没有重载。不创建这两个DateTime
实例,只需将收到的参数直接传递给DaysInMonth
即可。
请注意,方法不能接受null值,因此要么删除null值,要么清除输入,即:检查年份和月份是否为null,如果为null,则使用一些默认值。
DateTime.DaysInMonth采用int参数,而不是日期-时间参数
public static int DaysInMonth(
int year,
int month
)
不过要注意,您正在传递可为null的int。所以之前要检查他们是否有值
if(month.HasValue && year.HasValue)
{
var numOfDays = DaysInMonth(year.Value, month.Value);
}
这里不需要使用任何DateTime
对象,但需要验证输入!
public ActionResult Index(int? month, int? year)
{
int noOfDaysInMonth = -1;
if(year.HasValue && year.Value > 0 &&
month.HasValue && month.Value > 0 && month.Value <=12)
{
noOfDaysInMonth = DateTime.DaysInMonth(year.Value, month.Value);
}
else
{
// parameters weren't there or they had wrong values
// i.e. month = 15 or year = -5 ... nope!
noOfDaysInMonth = -1; // not as redundant as it seems...
}
// rest of code.
}
if
之所以有效,是因为条件是从左到右评估的。