计算最大开放事件数

时间:2013-06-21 01:13:57

标签: c# linq datetime

我有一个打开和关闭日期的事件列表,如下所示:

DateOpen   | DateClose
-----------|-----------
01.01.2000 | 05.01.2000
02.01.2000 | 02.01.2000

所以在01.01。我们有一个公开活动,在02.01。我们有两个公开活动,从那里我们只有一个公开活动,直到05.01。

现在的任务是计算最大开放事件数,在本例中为2。

我找不到一个好的解决方案,也许别人有个好主意。我将所有事件都放在linq-to-objects列表中,因此排序,过滤等很容易。

我尝试了什么?没什么,因为我不知道从哪里开始:)

3 个答案:

答案 0 :(得分:1)

var max = events.Select(i => events.Where(j => i.DateOpen <= j.DateClose
                                            && i.DateClose >= j.DateOpen).Count())
                .Max();

但它的复杂性O(n^2)可能不适合所有情况

目前无法想到更快的解决方案。

答案 1 :(得分:1)

这是一个列表解决方案。我也包括一对开放和关闭。 (因为我希望你的数据是如何存储的。)由于walk需要在关闭之前打开,我在s中添加并且不仅仅按日期排序,并且需要创建Event对象的顺序。如果在开盘前收盘,这将失败。

这是用linqpad编写和测试的。按原样复制并粘贴它,它将运行。在LinqPad.com获取它(然后喜欢它)

我希望这是O(log n)因为OrderBy应该是O(log n)。

void Main()
{
  List<Event> eList = new List<Event>();
  eList.Add(new Event(new DateTime(2000,1,1),new DateTime(2000,5,1)));
  eList.Add(new Event(new DateTime(2000,2,1),new DateTime(2000,2,1)));

  var datelist = eList.Select(item => new { t = "open", d = item.open, s = item.open.Ticks*10 })
        .Concat(eList.Select(item => new { t = "close", d = item.close, s = (item.close.Ticks*10)+1 }))
        .OrderBy(item => item.s);

  var max = datelist.Aggregate(
            new { curCount = 0, max = 0 },
            (result,item) => {
               if (item.t == "open")
               {
                  if (result.max < (result.curCount+1))
                    return(new { curCount = result.curCount+1, max = result.curCount+1 });
                  else
                    return(new { curCount = result.curCount+1, max = result.max });
               }
               else
                 return(new { curCount = result.curCount-1, max = result.max });
            },
            result => result.max);

   max.Dump();
}

// Define other methods and classes here

public class Event
{
    public DateTime open { get; set; }
    public DateTime close { get; set; }

    public Event(DateTime inOpen, DateTime inClose)
    {
      if (inOpen <= inClose)
      {
        open = inOpen;
        close = inClose;
      }
      else throw(new Exception("Can't close at "+inClose.ToShortDateString()+" before you open at "+inOpen.ToShortDateString()));
    }
}

答案 2 :(得分:0)

由于实际答案仅在评论中:

events.Select(i => events.Where(j => i.DateOpen <= j.DateClose && i.DateClose >= j.DateOpen).Count()).Max()