如何使用c#.net 2.0获取“2013年4月第一个星期三”的日期?
在.net中有这种工作的帮助方法,还是我应该编写自己的帮助方法?如果没有这种工作的方法,请帮我写出自己的方法。
DateTime GetFirstXDayFromY(string dayName, DateTime targetYearMonth)
{
///???
}
答案 0 :(得分:4)
public static DateTime GetFirstDay(int year, int month, DayOfWeek day)
{
DateTime result = new DateTime(year, month, 1);
while (result.DayOfWeek != day)
{
result = result.AddDays(1);
}
return result;
}
如果您使用.net> = 3.5,则可以使用Linq:
public static DateTime GetFirstDay(int year, int month, DayOfWeek dayOfWeek)
{
return Enumerable.Range(1, 7).
Select(day => new DateTime(year, month, day)).
First(dateTime => (dateTime.DayOfWeek == dayOfWeek));
}
答案 1 :(得分:2)
.NET Framework可以轻松确定特定日期的序数日,并显示特定日期的本地化工作日名称。
答案 2 :(得分:1)
请尝试使用以下代码段。
// Get the Nth day of the month
private static DateTime NthOf(DateTime CurDate, int Occurrence, DayOfWeek Day)
{
var fday = new DateTime(CurDate.Year, CurDate.Month, 1);
if (Occurrence == 1)
{
for (int i = 0; i < 7; i++)
{
if (fday.DayOfWeek == Day)
{
return fday;
}
else
{
fday = fday.AddDays(1);
}
}
return fday;
}
else
{
var fOc = fday.DayOfWeek == Day ? fday : fday.AddDays(Day - fday.DayOfWeek);
if (fOc.Month < CurDate.Month) Occurrence = Occurrence + 1;
return fOc.AddDays(7 * (Occurrence - 1));
}
}
如何致电/使用它们?
NthOf(targetYearMonth, 1, DayOfWeek.Wednesday)
答案 3 :(得分:1)
在@vc和@Jayesh的答案的帮助下,我想出了这个方法。非常感谢。
public static DateTime GetFirstDay(int year, int month, DayOfWeek day, int occurance)
{
DateTime result = new DateTime(year, month, 1);
int i = 0;
while (result.DayOfWeek != day || occurance != i)
{
result = result.AddDays(1);
if((result.DayOfWeek == day))
i++;
}
return result;
}