zoukankan      html  css  js  c++  java
  • 1353. Maximum Number of Events That Can Be Attended

    问题:

    给定一组event的举办起始日表,

    可以参加任意event在任意天。

    求最多能参加多少个event。

    ⚠️ 注意:同一天只能参加一个event。

    Example 1:
    Input: events = [[1,2],[2,3],[3,4]]
    Output: 3
    Explanation: You can attend all the three events.
    One way to attend them all is as shown.
    Attend the first event on day 1.
    Attend the second event on day 2.
    Attend the third event on day 3.
    
    Example 2:
    Input: events= [[1,2],[2,3],[3,4],[1,2]]
    Output: 4
    
    Example 3:
    Input: events = [[1,4],[4,4],[2,2],[3,4],[1,1]]
    Output: 4
    
    Example 4:
    Input: events = [[1,100000]]
    Output: 1
    
    Example 5:
    Input: events = [[1,1],[1,2],[1,3],[1,4],[1,5],[1,6],[1,7]]
    Output: 7
     
    
    Constraints:
    
    1 <= events.length <= 10^5
    events[i].length == 2
    1 <= startDayi <= endDayi <= 10^5
    

      

    example 1:

     解法:sort+minHeap (priority_queue)

    思路:

    • 按照start日,对event,进行排序
    • 从第一个start日开始,作为开始参与的第一天curday。
      • 在今天curday中,能够参与的event,加入heap中。
        • 加入条件:start==curday的所有event。
        • 加入对象:end日。
      • 选择最早结束的event->即:heap->top 作为curday的参加event。
        • heap.pop:弹出已选择的event
        • res++:参与的event数++
        • curday++:今天度过
      • 今天度过:删除heap中今天之前结束的所有event。
        • 删除条件:end<curday

    代码参考:

     1 class Solution {
     2 public:
     3     int maxEvents(vector<vector<int>>& events) {
     4         int res = 0;
     5         priority_queue<int, vector<int>, greater<int>> pq;//end :: top:smallest
     6         sort(events.begin(), events.end());//sort by start <<<
     7         int n = events.size();
     8         int curday = 0;
     9         int evt_id = 0;
    10         while(!pq.empty() || evt_id<n) {
    11             //on curday: 
    12             if(pq.empty()) curday = events[evt_id][0];
    13             //add all start==curday events to pq
    14             for(evt_id; evt_id<n && events[evt_id][0]==curday; evt_id++) {
    15                 pq.push(events[evt_id][1]);
    16             }
    17             //chose one of them (the earlist end event) to take part in.->res+1
    18             //then curday+1
    19             pq.pop();
    20             res++;
    21             curday++;
    22             //clean all events whose endday < curday
    23             while(!pq.empty() && pq.top()<curday) pq.pop();
    24         }
    25         return res;
    26     }
    27 };
  • 相关阅读:
    什么是中断响应,其实质是什么?
    什么是中断,什么是俘获,中断和俘获有什么不同?
    什么是强迫性中断,什么是自愿中断,试举例说明?
    按中断的功能来分,中断有哪几种类型?
    什么是中断?在操作系统中为什么要引进中断?
    MySql按日期时间段进行统计(前一天、本周、某一天、某个时间段)
    JAVA判断上传表单中file是否为空
    Java中BigDecimal的8种舍入模式是怎样的
    BigDecimal类的加减乘除
    在Spring aop中的propagation的7种配置的意思
  • 原文地址:https://www.cnblogs.com/habibah-chang/p/14718114.html
Copyright © 2011-2022 走看看