코딩테스트 연습 > 스택/큐 > 프린터
문제링크 https://school.programmers.co.kr/learn/courses/30/lessons/42587
일반적인 프린터는 인쇄 요청이 들어온 순서대로 인쇄합니다. 그렇기 때문에 중요한 문서가 나중에 인쇄될 수 있습니다. 이런 문제를 보완하기 위해 중요도가 높은 문서를 먼저 인쇄하는 프린터를 개발했습니다. 이 새롭게 개발한 프린터는 아래와 같은 방식으로 인쇄 작업을 수행합니다.
내가 인쇄를 요청한 문서가 몇 번째로 인쇄되는지 알고 싶습니다. 위의 예에서 C는 1번째로, A는 3번째로 인쇄됩니다.
현재 대기목록에 있는 문서의 중요도가 순서대로 담긴 배열 priorities와 내가 인쇄를 요청한 문서가 현재 대기목록의 어떤 위치에 있는지를 알려주는 location이 매개변수로 주어질 때, 내가 인쇄를 요청한 문서가 몇 번째로 인쇄되는지 return 하도록 solution 함수를 작성해주세요.
현재 대기목록에는 1개 이상 100개 이하의 문서가 있습니다.
인쇄 작업의 중요도는 1~9로 표현하며 숫자가 클수록 중요하다는 뜻입니다.
location은 0 이상 (현재 대기목록에 있는 작업 수 - 1) 이하의 값을 가지며 대기목록의 가장 앞에 있으면 0, 두 번째에 있으면 1로 표현합니다.
입출력 예
priorities location return
[2, 1, 3, 2] 2 1
[1, 1, 9, 1, 1, 1] 0 5
// 큐 생성자 작성
class Queue{
constructor(){
this.queue = [];
this.front = 0;
this.rear = 0;
}
enqueue(value){
this.queue[this.rear++] = value;
}
dequeue(){
const value = this.queue[this.front];
delete this.queue[this.front];
this.front++;
return value;
}
peek(){
return this.queue[this.front];
}
size(){
return this.rear - this.front;
}
}
function solution(priorities, location) {
var answer = 0;
const queue = new Queue();
for (let i=0; i < priorities.length; i++){
queue.enqueue([priorities[i], i]);
}
// 우선순위가 높은 것과 비교하기 위해 sort
priorities.sort((a,b) => b-a);
let cnt = 0;
while(queue.size() > 0){
const current = queue.peek();
if(priorities[cnt] > current[0]){
queue.enqueue(queue.dequeue());
}else{
const value = queue.dequeue();
cnt++;
if(value[1] === location){
return cnt;
}
}
}
return cnt;
}
큐의 개념을 알고는 있었지만 큐를 직접 코드로 생성해서 사용해본것은 처음이었다. 복잡해질 수 있는 코드를 큐를 만들어 사용함으로써 간결하고 효율성을 높인 코드를 작성할 수 있었고, 이를 통해 알고리즘을 더욱 더 공부해야겠다는 생각이 들었다.