我甚至不知道如何做到这一点,而不使用一些可怕的循环/计数器类型的解决方案。问题是这样的:

我有两个日期,一个开始日期和一个结束日期,在指定的时间间隔内,我需要采取一些行动。例如:对于3/10/2009之间的每个日期,每隔三天直到3/26/2009,我需要在列表中创建一个条目。所以我的输入是:

DateTime StartDate = "3/10/2009";
DateTime EndDate = "3/26/2009";
int DayInterval = 3;

我的输出将是一个具有以下日期的列表:

3/13/2009 3/16/2009 3/19/2009 3/22/2009 3/25/2009

那我要怎么做这种事呢?我考虑过使用一个for循环,它会在每天的范围内迭代,并使用一个单独的计数器,如下所示:

int count = 0;

for(int i = 0; i < n; i++)
{
     count++;
     if(count >= DayInterval)
     {
          //take action
          count = 0;
     }

}

但似乎还有更好的办法?


当前回答

DateTime startDate = new DateTime(2009, 3, 10);
DateTime stopDate = new DateTime(2009, 3, 26);
int interval = 3;

while ((startDate = startDate.AddDays(interval)) <= stopDate)
{
    // do your thing
}

其他回答

不管怎样,你都需要对它们进行循环。我喜欢这样定义一个方法:

public IEnumerable<DateTime> EachDay(DateTime from, DateTime thru)
{
    for(var day = from.Date; day.Date <= thru.Date; day = day.AddDays(1))
        yield return day;
}

然后你可以这样使用它:

foreach (DateTime day in EachDay(StartDate, EndDate))
    // print it or whatever

以这种方式,你可以每隔一天,每三天,只有工作日,等等。例如,要每三天返回一次“开始”日期,你可以在循环中调用AddDays(3)而不是AddDays(1)。

你可以考虑写一个迭代器,这样你就可以使用普通的for循环语法,比如++。我搜索并在StackOverflow上找到了一个类似的问题,它给出了使DateTime可迭代的指针。

根据问题你可以试试这个…

// looping between date range    
while (startDate <= endDate)
{
    //here will be your code block...

    startDate = startDate.AddDays(1);
}

谢谢……

我在MiscUtil中有一个Range类,你可能会发现它很有用。结合各种扩展方法,你可以做到:

foreach (DateTime date in StartDate.To(EndDate).ExcludeEnd()
                                   .Step(DayInterval.Days())
{
    // Do something with the date
}

(你可能想要也可能不想要排除结尾——我只是想提供它作为一个例子。)

这基本上是现成的(更通用的)mquander解决方案形式。

在这里,你必须小心不要错过日期,因为在循环中,一个更好的解决方案是。

这为您提供了startdate的第一个日期,并在递增之前在循环中使用它,它将处理所有日期,包括enddate的最后一个日期,因此<= enddate。

所以上面的答案是正确的。

while (startdate <= enddate)
{
    // do something with the startdate
    startdate = startdate.adddays(interval);
}