링크 https://www.acmicpc.net/problem/1931
소스결과 2772 KB / 32 ms
언어 C++ 17
출처 Baekjoon
분류 그리디 알고리즘
설명
한개의 회의실과 회의 일정이 주어질 때 회의가 겹치지 않게 최대한 많이 배정 할 수 있는 수를 구하여라.
문제 자체에서 그리디 알고리즘이라는걸 알 수 있는 문제였다.
정렬을 이용하면 쉽게 해결 될 꺼 같은 문제 였는데 감이 잡히지 않아 고생좀 했었다.
종료 시간을 기준으로 정렬을 하되, 종료 시간이 같은 경우 시작시간이 작은 경우로 정렬 하면 된다.
정렬 후 최선의 경우를 선택 하면서 다음에 시작이 가능한 시간만 골라서 이어서 카운팅 해주면 정답이 된다.
알고리즘
1. 종료시간을 기준으로 경우의 수를 정렬한다. 단 종료시간이 같은 경우 시작 시간이 빠른 경우가 우선이다.
2. 시간을 선택 한 후, 다음 시작 가능한 종료시간을 갱신한다.
3. 가능한 최대의 수를 출력한다.
소스코드
#include <iostream>
#include <algorithm>
#include <vector>
using namespace std;
struct MeetTime {
int start;
int end;
MeetTime() {};
MeetTime(int start, int end) : start(start), end(end) {};
};
bool cmp(MeetTime& mt1, MeetTime& mt2) {
if (mt1.end > mt2.end)
return false;
else if (mt1.end == mt2.end) {
if (mt1.start > mt2.start)
return false;
else if (mt1.start == mt2.start)
return false;
}
return true;
}
vector<MeetTime> times;
int main()
{
ios_base::sync_with_stdio(false);
cin.tie(0);
int n;
cin >> n;
times.resize(n);
for (int i = 0; i < n; i++)
cin >> times[i].start >> times[i].end;
sort(times.begin(), times.end(), cmp);
int startTime = times[0].start, endTime = times[0].end;
int res = 1;
for (int i = 1; i < n; i++) {
MeetTime mt = times[i];
if (endTime <= mt.start ) {
endTime = mt.end;
res++;
}
}
cout << res;
return 0;
}
'Algorithm > Greedy Algorithm' 카테고리의 다른 글
Baekjoon 1946 신입 사원 (0) | 2019.06.02 |
---|---|
Baekjoon 2217 로프 (0) | 2019.06.02 |
Baekjoon 1080 행렬 (0) | 2019.04.01 |
Baekjoon 1541 잃어버린 괄호 (0) | 2019.03.08 |
Baekjoon 1049 기타줄 (0) | 2019.01.16 |