본문으로 바로가기

[백준 11000] 강의실 배정

category PS/백준 문제풀이 2019. 8. 5. 23:51
336x280(권장), 300x250(권장), 250x250, 200x200 크기의 광고 코드만 넣을 수 있습니다.

 

문제 : https://www.acmicpc.net/problem/11000

 

11000번: 강의실 배정

첫 번째 줄에 N이 주어진다. (1 ≤ N ≤ 200,000) 이후 N개의 줄에 Si, Ti가 주어진다. (1 ≤ Si < Ti ≤ 109)

www.acmicpc.net

 

정답 소스코드는 제일 밑에 있음!

시간 초과로 고생했던 문제...

 

 


첫 번째 시도

처음 생각은 벡터에 넣어서 그리디 방식으로 직접 삭제시키며 방을 만들어갔다.

결과는 시간 초과.

 

0
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
 
typedef pair<intint> P;
 
int n;
vector<P> lec;
vector<bool> isDeleted;
int rooms;
 
int findFirstNotDeleted(){
    int i = 0;
    for(i = 0; i < n; i++){
        if(isDeleted[i] == false)
            return i;
    }
    return i;
}
 
// 시간초과
void solve(){
    while(1){
        int firstIndex = findFirstNotDeleted();
        if(firstIndex == n)
            break;
 
        int endtime = lec[firstIndex].second; // 제일 처음 마치는 시간.
        //lec.erase(lec.begin());
        isDeleted[firstIndex] = true;
 
        for(int i = 0; i < lec.size(); i++){
            // 시작 가능한 가장 빠른 강의 찾기
            if(endtime <= lec[i].first && !isDeleted[i]){
                endtime = lec[i].second;
                isDeleted[i] = true;
                //lec.erase(lec.begin()+i);
                //i--;
            }
        }
        rooms++;
    }
}
 
 
 
 
http://colorscripter.com/info#e" target="_blank" style="color:#e5e5e5text-decoration:none">Colored by Color Scripter

 


두 번째 시도

두 번째로 끝나는 시간을 벡터에 넣어가면서 시도해보았다.

즉 벡터에 들어간 시간은 각 방의 끝나는 시간. 

하지만 이 역시도 각 방을 다 돌면서 가능한 빠른 시간을 찾아야 했기에 시간 초과.

 

0
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
 
vector<int> roomsEndTime;
void solve2(){
    int i = 1, j = 0 ;
    roomsEndTime.push_back(lec[0].second);
    for(i = 1; i < n; i++){
        for(j = 0; j < roomsEndTime.size(); j++){
            // 이어서 강의 가능한 강의실에 추가.
            if(lec[i].first >= roomsEndTime[j]){
                roomsEndTime[j] = lec[i].second;
                break;
            }
        }
        // 알맞은 강의실 없으면 새로 판다.
        if(j == roomsEndTime.size()){
            roomsEndTime.push_back(lec[i].second);
        }
    }
}
 
 
http://colorscripter.com/info#e" target="_blank" style="color:#e5e5e5text-decoration:none">Colored by Color Scripter

 


마지막 시도 (정답)

결국 해답을 얻을 수 있었던 자료구조는.... 바로 "Priority Queue" 였다.

두 번째 방법에서의 큰 오류는 가장 빠른 시간만을 찾기위해 벡터의 모든 크기를 다 탐색했던 것..

바로 가장 빠른 시간만을 반환해주는 우선순위 큐를 사용하면 훨씬 더 빠른 시간안에 풀 수 있었다.

 

0
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
 
#include <iostream>
#include <vector>
#include <algorithm>
#include <functional>
#include <queue>
using namespace std;
 
typedef pair<intint> P;
 
int n;
vector<P> lec;
 
// 각 방이 끝나는 시간을 넣어둠.
// 탐욕스러운 방식으로 진행하기 위해 가장 빨리 끝나있는 방(우선순위 큐의 탑)에 넣음.
// 가장 빨리 끝나는 방에도 못넣으면 새로 방 파기.
priority_queue<intvector<int>, greater<int>> fastestRoomsTime;
void solve3(){
    fastestRoomsTime.push(lec[0].second);
    for(int i = 1; i < n; i++){
        // 가장 빠르게 이용가능한 방에 들어갈 수 있음.
        if(fastestRoomsTime.top() <= lec[i].first){
            // 이용한 방의 끝나는 시간을 바꿔줌.
            fastestRoomsTime.pop();
        }else// 이용 불가하면 새로운 방 파기.
        }
    }
}
 
 
int main(){
    ios_base::sync_with_stdio(false);
    cin.tie(NULL);
    
    cin >> n;
    
    for(int i = 0; i < n; i++)
        cin >> lec[i].first >> lec[i].second;
    sort(lec.begin(), lec.end());
 
    solve3();
    cout << fastestRoomsTime.size() << '\n';
    return 0;
}
 
 
http://colorscripter.com/info#e" target="_blank" style="color:#e5e5e5text-decoration:none">Colored by Color Scripter

 

결과는 성공! 

진짜 자료구조 공부 좀 해야겠다.. (질문게시판에 글 감사합니다~~)

 

 

 

'PS > 백준 문제풀이' 카테고리의 다른 글

[백준 11723] 집합  (0) 2019.08.06
[백준 2098] 외판원 순회  (0) 2019.08.06
[백준 9020] 골드바흐의 추측  (0) 2019.08.05
[백준 4948] 베르트랑 공준  (0) 2019.08.05
[백준 2581] 소수  (0) 2019.08.05