C# – Simple formula for determining date using week of month

c++calendardatetimeformula

Given a standard piece of scheduling information, such as "the second Tuesday in June 2009" or "the last Friday in July 2009", what's the simplest and most efficient formula to translate that into a date?

Inputs:

  • w = Week of month, enumeration (1st, 2nd,
    3rd, 4th or Last)
  • d = Day of week, enum Sun through Sat
  • m = Month, integer
  • y = Year, integer

EDIT (again) – It doesn't matter what day the week begins on; I want to get the wth instance of d in the given month. Thus the 2nd Sunday in June 2009 is 14 June, even though that technically falls in the 3rd week of June; similarly the 1st Sunday in June is 7 June, not null/exception.

Best Solution

Something like:

static DateTime GetDate(int year, int month, DayOfWeek dayOfWeek,
        int weekOfMonth) {
    // TODO: some range checking (>0, for example)
    DateTime day = new DateTime(year, month, 1);
    while (day.DayOfWeek != dayOfWeek) day = day.AddDays(1);
    if (weekOfMonth > 0) {
        return day.AddDays(7 * (weekOfMonth - 1));
    } else { // treat as last
        DateTime last = day;
        while ((day = day.AddDays(7)).Month == last.Month) {
            last = day;
        }
        return last;
    }
}
Related Question