코딩연습이 좋아서/이론이 좋아서
Greedy Algorithm - 최대 수입 스케줄(PriorityQueue)
zoaseo
2024. 12. 18. 21:15
설명
현수는 유명한 강연자이다. N개이 기업에서 강연 요청을 해왔다. 각 기업은 D일 안에 와서 강연을 해 주면 M만큼의 강연료를 주기로 했다.
각 기업이 요청한 D와 M를 바탕으로 가장 많을 돈을 벌 수 있도록 강연 스케쥴을 짜야 한다.
단 강연의 특성상 현수는 하루에 하나의 기업에서만 강연을 할 수 있다.
입력
첫 번째 줄에 자연수 N(1<=N<=10,000)이 주어지고, 다음 N개의 줄에 M(1<=M<=10,000)과 D(1<=D<=10,000)가 차례로 주어진다.
출력
첫 번째 줄에 최대로 벌 수 있는 수입을 출력한다.
예시 입력 1
6
50 2
20 1
40 2
60 3
30 3
30 1
예시 출력 1
150
import java.util.*;
class Lecture implements Comparable<Lecture> {
int money;
int date;
public Lecture(int money, int date) {
this.money = money;
this.date = date;
}
@Override
public int compareTo(Lecture o) {
return o.date - this.date;
}
}
public class Main {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
int n = sc.nextInt();
List<Lecture> list = new ArrayList<>();
int max = Integer.MIN_VALUE;
for (int i = 0; i < n; i++) {
int money = sc.nextInt();
int date = sc.nextInt();
list.add(new Lecture(money, date));
if (date > max) max = date;
}
Collections.sort(list);
int answer = 0;
Queue<Integer> queue = new PriorityQueue<>(Collections.reverseOrder());
int j = 0;
for (int i = max; i >= 1; i--) {
for (; j < n; j++) {
if (list.get(j).date < i) break;
queue.add(list.get(j).money);
}
if (!queue.isEmpty()) answer += queue.poll();
}
System.out.println(answer);
}
}
- 이해가 잘 되지 않는 문제...