프로그래밍 공부
작성일
2024. 2. 8. 12:30
작성자
WDmil
728x90

문제 설명

운영체제의 역할 중 하나는 컴퓨터 시스템의 자원을 효율적으로 관리하는 것입니다. 이 문제에서는 운영체제가 다음 규칙에 따라 프로세스를 관리할 경우 특정 프로세스가 몇 번째로 실행되는지 알아내면 됩니다.

 

1. 실행 대기 큐(Queue)에서 대기중인 프로세스 하나를 꺼냅니다.

2. 큐에 대기중인 프로세스 중 우선순위가 더 높은 프로세스가 있다면 방금 꺼낸 프로세스를 다시 큐에 넣습니다.

3. 만약 그런 프로세스가 없다면 방금 꺼낸 프로세스를 실행합니다.

  3.1 한 번 실행한 프로세스는 다시 큐에 넣지 않고 그대로 종료됩니다.

 

예를 들어 프로세스 4 [A, B, C, D]가 순서대로 실행 대기 큐에 들어있고, 우선순위가 [2, 1, 3, 2]라면 [C, D, A, B] 순으로 실행하게 됩니다.

 

현재 실행 대기 큐(Queue)에 있는 프로세스의 중요도가 순서대로 담긴 배열 priorities, 몇 번째로 실행되는지 알고싶은 프로세스의 위치를 알려주는 location이 매개변수로 주어질 때, 해당 프로세스가 몇 번째로 실행되는지 return 하도록 solution 함수를 작성해주세요.

 

제한사항

  1. priorities의 길이는 1 이상 100 이하입니다.
  2. priorities의 원소는 1 이상 9 이하의 정수입니다.
  3. priorities의 원소는 우선순위를 나타내며 숫자가 클 수록 우선순위가 높습니다.
  4. location은 0 이상 (대기 큐에 있는 프로세스 수 - 1) 이하의 값을 가집니다.
  5. priorities 의 가장 앞에 있으면 0, 두 번째에 있으면 1 … 과 같이 표현합니다.

입출력 예

priorities location  return
[2, 1, 3, 2]  2 1
[1, 1, 9, 1, 1, 1] 0 5

첫 번째 시도

#include <string>
#include <vector>
#include <list>

using namespace std;

int solution(vector<int> priorities, int location) {
    int answer = 0;
    list<int> pri_Count;

    for (const auto& def : priorities)
        pri_Count.push_back(def);

    pri_Count.sort();

    int nowcount = 0;
    int nowstart = 10;

    while (nowstart != location)
    {
        if (priorities[nowcount] == pri_Count.back()) {
            pri_Count.pop_back();
            nowstart = nowcount;
            answer++;
        }
        nowcount++;
        nowcount %= priorities.size();
    }
    return answer;
}

실패

 

한개 가 실패했다. 아마 무언가의 예외처리가 정상적으로 이루어지지 않은것 같다.


두 번째 시도

#include <string>
#include <vector>
#include <list>

using namespace std;

int solution(vector<int> priorities, int location) {
    int answer = 0;
    list<int> pri_Count;

    for (const auto& def : priorities)
        pri_Count.push_back(def);

    pri_Count.sort();

    int nowcount = 0;
    int nowstart = 101;

    while (nowstart != location)
    {
        if (priorities[nowcount] == pri_Count.back()) {
            pri_Count.pop_back();
            nowstart = nowcount;
            answer++;
        }
        nowcount++;
        nowcount %= priorities.size();
    }
    
    return answer;
}

성공

 

그냥 객체 시작부분의 nowStart를 101로 하면 해결됨, 10번째 값이 location으로 들어왔을 떄 바로 리턴값이 나와버리는 문제가 있었음.

 

728x90

'코딩테스트 문제 풀이 > 스텍&큐' 카테고리의 다른 글

주식 가격  (0) 2024.02.15
다리를 지나는 트럭  (0) 2024.02.14
올바른 괄호  (0) 2024.01.30
기능개발  (0) 2024.01.19
더 맵게  (0) 2024.01.11