문제 링크 : www.acmicpc.net/problem/9576
책을 최대한 많이 나눠주기 위해선 어떻게 해야 할까?
우선 책 번호의 범위가 좁은 사람에게 먼저 책을 나눠주는 것이 유리할 것이다. 범위가 넓은 사람에게 더 많은 선택지가 있기 때문이다.
또한, 동일한 크기의 여러 구간들이 겹쳐 있는 경우에는 최대한 겹치는 구간의 수가 적은 책을 먼저 나눠주어야 더 많은 사람에게 책을 나눠줄 수 있을 것이다.
겹치는 구간을 최대한 피하기 위한 방법은 다음과 같은 두 가지 방법이 있다.
이 게시글에는 첫 번째 방법에 대한 코드를 첨부한다.
[코드]
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
|
#define _CRT_SECURE_NO_WARNINGS
#include <iostream>
#include <vector>
#include <queue>
#include <memory.h>
#include <algorithm>
#include <string>
using namespace std;
typedef pair<int, int> p;
int n, m;
vector<p> requests;
bool rent[1001];
int greedy() {
int answer = 0;
for (int i = 0; i < requests.size(); i++) {
p cur = requests[i];
bool find = false;
for (int j = cur.second; j >= cur.first; j--) {
if (!rent[j]) {
rent[j] = true;
find = true;
break;
}
}
if (find) answer++;
}
return answer;
}
bool cmp(p a, p b) {
if (a.first == b.first) {
int a_diff = a.second - a.first;
int b_diff = b.second - b.first;
return a_diff < b_diff;
}
return a.first > b.first;
}
void init() {
int a, b;
memset(rent, false, sizeof(rent));
cin >> n >> m;
requests.clear();
for (int i = 0; i < m; i++) {
cin >> a >> b;
requests.push_back({ a, b });
}
sort(requests.begin(), requests.end(), cmp);
}
int main() {
ios::sync_with_stdio(0);
cin.tie(0);
cout.tie(NULL);
int tc;
cin >> tc;
for (int i = 0; i < tc; i++) {
init();
int answer = greedy();
printf("%d\n", answer);
}
//system("PAUSE");
return 0;
}
|
cs |
'알고리즘 > BOJ 문제풀이' 카테고리의 다른 글
[DP] BOJ 2169 로봇 조종하기 (0) | 2020.12.15 |
---|---|
[Dijkstra] BOJ 13907 세금 (0) | 2020.12.14 |
[Greedy] BOJ 1781 컵라면 (0) | 2020.12.03 |
[Greedy] BOJ 1700 멀티탭 스케줄링 (0) | 2020.12.02 |
[Greedy] BOJ 1339 단어 수학 (0) | 2020.12.02 |