반응형
문제
풀이
우선순위 큐 pq1과 pq2를 선언합니다.
pq1은 시작시각을 기준으로 오름차순으로 정렬합니다.
pq2는 종료시각을 기준으로 오름차순으로 정렬합니다.
pq1이 빌 때 까지 다음과정을 반복합니다.
1. pq2가 비었다면 pq1의 top을 pq2에 push 해주고 pq1을 pop합니다.
2. pq2.top의 종료시각이 pq1.top의 시작시각보다 작거나 같으면 강의를 종료하고 새 강의를 할 수 있는 상태입니다.
-> 따라서 pq2.top의 종료시각이 pq1.top의 시작시각보다 커질때까지 pq2를 pop합니다.
3. pq2.top의 종료시각이 더 크다면 강의실이 더 필요합니다. pq1.top을 pq2에 push 해주고 강의실 수를 늘려줍니다.
4. 강의실 최댓값을 갱신합니다.
pq1이 비었다면 강의실 최댓값을 출력합니다.
소스 코드
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
|
#include<iostream>
#include<queue>
#include<vector>
#include<algorithm>
#include<functional>
using namespace std;
struct lecture
{
int stime;
int ttime;
lecture(int s, int t) : stime(s), ttime(t) {}
};
struct cmpfirst
{
bool operator()(lecture a, lecture b)
{
return a.stime > b.stime;
}
};
struct cmpsecond
{
bool operator()(lecture a, lecture b)
{
return a.ttime > b.ttime;
}
};
priority_queue<lecture, vector<lecture>, cmpfirst> pq1;
priority_queue<lecture, vector<lecture>, cmpsecond> pq2;
int main()
{
int n;
int s, t;
int cnt = 0, maxcnt = 0;
cin >> n;
//입력
for (int i = 0; i < n; i++)
{
cin >> s >> t;
pq1.push(lecture(s, t));
}
while (!pq1.empty())
{
int s1, t1;
s1 = pq1.top().stime;
t1 = pq1.top().ttime;
pq1.pop();
// pq2가 비어있다면 바로 푸쉬
if (pq2.empty())
{
pq2.push(lecture(s1, t1));
cnt++;
continue;
}
while (1)
{
int s2 = pq2.top().stime;
int t2 = pq2.top().ttime;
/* pq1.top의 시작 시간이 pq2.top의 끝나는 시간보다 크거나 같으면 pq2강의를 끝내고
pq1을 시작할 수 있으므로 pq2를 계속 pop해줌 */
if (s1 >= t2)
{
pq2.pop();
cnt--;
}
//pq1.top의 시작 시간이 pq2.top의 끝나는 시간보다 작으면 강의실이 더 필요함.
else
{
pq2.push(lecture(s1, t1));
cnt++;
break;
}
}
//강의실 개수 비교해서 최댓값 갱신
maxcnt = max(cnt, maxcnt);
}
cout << maxcnt;
return 0;
}
|
cs |
반응형
'알고리즘 > 백준' 카테고리의 다른 글
[백준 12865] 평범한 배낭 (C++) (0) | 2021.08.29 |
---|---|
[백준 5430] AC (C++) (0) | 2021.08.29 |
[백준 11559] Puyo Puyo (C++) (0) | 2021.08.27 |
[백준 16236] 아기 상어 (C++) (0) | 2021.08.26 |
[백준 15681] 트리와 쿼리 (C++) (0) | 2021.08.26 |