比较没有年份的DateTime
本文关键字:DateTime 比较 | 更新日期: 2023-09-27 18:17:19
我正在尝试在客户在未来7天内过生日时获得警报。
我用下面的代码试过了:
public bool IsBirthdayImminent
{
get { return DateOfBirth != null && DateOfBirth.Value.Date >= DateTime.Today.Date.AddDays(-7); }
}
当然这不起作用,因为Date是和它的年份一起存储的(比如05/21/1980),而且它还比较年份。所以这个查询永远不会是true
——好吧,如果你在接下来的七天内出生的话。
如何修改此查询以忽略年份?
编辑:好的,查询本身根本不是问题。我的主要观点是处理闰年和12月<> 1月之间的情况。
我建议使用以下代码。这包括12月至1月和2月29日之间的病例。尽管您可能想要查看并更正2月28日是否包含在给定的days
中。
BirthdayImminent(new DateTime(1980, 1, 1), new DateTime(2012, 1, 2), 7); // false
BirthdayImminent(new DateTime(1980, 1, 1), new DateTime(2012, 12, 28), 7); // true
BirthdayImminent(new DateTime(1980, 2, 28), new DateTime(2012, 2, 21), 7); // true
private static bool BirthdayImminent(DateTime birthDate, DateTime referenceDate, int days)
{
DateTime birthdayThisYear = birthDate.AddYears(referenceDate.Year - birthDate.Year);
if (birthdayThisYear < referenceDate)
birthdayThisYear = birthdayThisYear.AddYears(1);
bool birthdayImminent = (birthdayThisYear - referenceDate).TotalDays <= days;
return birthdayImminent;
}
也要记住Guvante在下面的评论中发布的边缘情况。
像这样:
DateTime birthDate = new DateTime(2012, 12, 2);
DateTime birthdayThisYear;
if (birthDate.Month == 2 && birthDate.Day == 29 && DateTime.IsLeapYear(DateTime.Now.Year))
birthdayThisYear = new DateTime(DateTime.Now.Year, 2, 28);
else
birthdayThisYear = new DateTime(DateTime.Now.Year, birthDate.Month, birthDate.Day);
bool birthdayImminent = birthdayThisYear > DateTime.Now && (birthdayThisYear - DateTime.Now).TotalDays <= 7;
作为getter:
public bool IsBirthdayImminent
{
get
{
if (DateOfBirth == null)
return false;
else
{
DateTime birthdayThisYear;
if (birthDate.Month == 2 && birthDate.Day == 29 && DateTime.IsLeapYear(DateTime.Now.Year))
birthdayThisYear = new DateTime(DateTime.Now.Year, 2, 28);
else
birthdayThisYear = new DateTime(DateTime.Now.Year, birthDate.Month, birthDate.Day);
return birthdayThisYear > DateTime.Now && (birthdayThisYear - DateTime.Now).TotalDays <= 7;
}
}
}
将出生年份明确设置为DateTime.Today.Year
,它将很好地进行比较。
试试这个:
public bool IsBirthdayImminent
{
get { return DateOfBirth != null && DateOfBirth.Value.Date.AddYear(DateTime.Now.Year -DateOfBirth.Value.Year) >= DateTime.Today.Date.AddDays(-7); }
}