Count number of including weeks between 2 dates

I need to get the number of weeks between 2 dates.
A week for me is monday to sunday.
So if the first date is on a saturday than this week should be included.
if the second date is on a monday than this week should be included.

What is the most efficient way to do this ?

example :

startdate   enddate      nbr of weeks
17/09/2016  26/09/2016   3 weeks
17/09/2016  25/09/2016   2 weeks
19/09/2016  26/09/2016   2 weeks
12/09/2016  25/09/2016   2 weeks

I found much answers for this, like this one for example how to calculate number of weeks given 2 dates? but they all end up with dividing the days with 7 and that does not gives the result I need.

Jon Skeet
people
quotationmark

The simplest way is probably to write a method to get the start of a week. Then you can subtract one date from another, divide the number of days by 7 and add 1 (to make it inclusive).

Personally I'd use Noda Time for all of this, but using DateTime:

// Always uses Monday-to-Sunday weeks
public static DateTime GetStartOfWeek(DateTime input)
{
    // Using +6 here leaves Monday as 0, Tuesday as 1 etc.
    int dayOfWeek = (((int) input.DayOfWeek) + 6) % 7;
    return input.Date.AddDays(-dayOfWeek);
}

public static int GetWeeks(DateTime start, DateTime end)
{
    start = GetStartOfWeek(start);
    end = GetStartOfWeek(end);
    int days = (int) (end - start).TotalDays;
    return (days / 7) + 1; // Adding 1 to be inclusive
}

Complete example:

using System;

class Program
{
    static void Main (string[] args)
    {
        ShowWeeks(new DateTime(2016, 9, 17), new DateTime(2016, 9, 26));
        ShowWeeks(new DateTime(2016, 9, 17), new DateTime(2016, 9, 25));
        ShowWeeks(new DateTime(2016, 9, 19), new DateTime(2016, 9, 26));
        ShowWeeks(new DateTime(2016, 9, 12), new DateTime(2016, 9, 25));
    }

    static void ShowWeeks(DateTime start, DateTime end)
    {
        int weeks = GetWeeks(start, end);
        Console.WriteLine($"{start:d} {end:d} {weeks}");
    }

    // Always uses Monday-to-Sunday weeks
    public static DateTime GetStartOfWeek(DateTime input)
    {
        // Using +6 here leaves Monday as 0, Tuesday as 1 etc.
        int dayOfWeek = (((int) input.DayOfWeek) + 6) % 7;
        return input.Date.AddDays(-dayOfWeek);
    }

    public static int GetWeeks(DateTime start, DateTime end)
    {
        start = GetStartOfWeek(start);
        end = GetStartOfWeek(end);
        int days = (int) (end - start).TotalDays;
        return (days / 7) + 1; // Adding 1 to be inclusive
    }
}

Output (in my UK locale):

17/09/2016 26/09/2016 3
17/09/2016 25/09/2016 2
19/09/2016 26/09/2016 2
12/09/2016 25/09/2016 2

people

See more on this question at Stackoverflow