운영체제의 역할 중 하나는 컴퓨터 시스템의 자원을 효율적으로 관리하는 것입니다. 이 문제에서는 운영체제가 다음 규칙에 따라 프로세스를 관리할 경우 특정 프로세스가 몇 번째로 실행되는지 알아내면 됩니다.
예를 들어 프로세스 4개 [A, B, C, D]가 순서대로 실행 대기 큐에 들어있고, 우선순위가 [2, 1, 3, 2]라면 [C, D, A, B] 순으로 실행하게 됩니다.
현재 실행 대기 큐(Queue)에 있는 프로세스의 중요도가 순서대로 담긴 배열 priorities와, 몇 번째로 실행되는지 알고싶은 프로세스의 위치를 알려주는 location이 매개변수로 주어질 때, 해당 프로세스가 몇 번째로 실행되는지 return 하도록 solution 함수를 작성해주세요.
제한사항
priorities의 길이는 1 이상 100 이하입니다.
priorities의 원소는 1 이상 9 이하의 정수입니다.
priorities의 원소는 우선순위를 나타내며 숫자가 클 수록 우선순위가 높습니다.
location은 0 이상 (대기 큐에 있는 프로세스 수 - 1) 이하의 값을 가집니다.
priorities의 가장 앞에 있으면 0, 두 번째에 있으면 1 … 과 같이 표현합니다.
입출력 예
priorities | location | return |
---|---|---|
[2, 1, 3, 2] | 2 | 1 |
[1, 1, 9, 1, 1, 1] | 0 | 5 |
https://school.programmers.co.kr/learn/courses/30/lessons/42587
idx++
) 현재 실행중인 프로세스의 위치가 location과 동일하면 현재까지의 실행 횟수를 return 하자import java.util.LinkedList;
import java.util.Queue;
class Solution {
public int solution(int[] priorities, int location) {
Queue<int[]> queue = new LinkedList<>();
// order, priority pair
for (int i = 0; i < priorities.length; i++) {
queue.add(new int[]{i, priorities[i]});
}
int idx = 0;
while (!queue.isEmpty()) {
int[] current = queue.poll();
boolean bigger = queue.stream().anyMatch(q -> current[1] < q[1]);
if (bigger) {
queue.add(current);
} else {
idx++;
if (current[0] == location) {
break;
}
}
}
return idx;
}
}
import java.util.*;
class Solution {
public int solution(int[] priorities, int location) {
int answer = 1;
PriorityQueue p = new PriorityQueue<>(Collections.reverseOrder());;
for(int i=0; i<priorities.length; i++){
p.add(priorities[i]);
System.out.println(p);
}
System.out.println(p);
while(!p.isEmpty()){
for(int i=0; i<priorities.length; i++){
if(priorities[i] == (int)p.peek()){
if(i == location){
return answer;
}
p.poll();
answer++;
}
}
}
return answer;
}
}