Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- CSharp #자료구조
- pccp 기출문제 2번
- 유니티
- 플레이어 방향전환
- C#
- Back Tracking
- 미로 탈출 명령어
- 연속 펄스 부분 수열의 합
- 9375번
- Lv2
- dfs
- Ainimation Blending
- Animation State Machine
- pccp 기출문제 3번
- Lv.3
- dp 알고리즘
- 프로그래머스
- pccp 기출문제 1번
- 2D슈팅게임
- Blend Type
- 오브젝트 풀링
- 충돌위험 찾기
- 백준 c++ 9375번
- heap tree
- Algorithm
- Unity
- 양과 늑대
- 플레이어 이동
- Hp바
- LayerMark
Archives
- Today
- Total
주녘공부일지
[프로그래머스 C#] Lv.3 디스크 컨트롤러 본문
https://school.programmers.co.kr/learn/courses/30/lessons/42627
1. 정답코드 및 핵심 아이디어, 유의사항
조건에 따라 요청된 작업들을 처리하는 데 걸리는 평균 시간의 최소 값을 반환하는 문제
- 한번 시작한 작업은 멈출 수 없음
- 수행 중인 작업이 없고 수행 할 수 있는 작업이 있다면 반드시 수행해야 함
- 현재 시간에 수행이 가능한 작업 중에 가장 소요 시간이 적은 작업을 우선 수행해야 함
풀이 핵심
- 요청 받기 전 작업과, 요청 받은 후 작업 리스트를 나누어 연산
- 현재 시간에 따라 요청 받은 리스트를 갱신
- 요청 받은 리스트 중에 작업 수행 시간이 가장 짧은 작업부터 우선 수행
주석 참조
using System;
using System.Collections.Generic;
public class Solution
{
public class DataClass
{
public int startTime; // 요청 시작 시간
public int playTime; // 작업 소요 시간
public DataClass(int startTime, int playTime)
{
this.startTime = startTime;
this.playTime = playTime;
}
}
// 정렬 메서드
public int CompareTo(int x, int y) => (x > y) ? 1 : -1;
public int solution(int[,] jobs)
{
int answer = 0; // 소요 시간 토탈
var jobList = new List<DataClass>(); // 요청받을 예정인 작업 리스트
var list = new List<DataClass>(); // 요청받은 작업 리스트
// 데이터 정제
for (int i = 0; i < jobs.GetLength(0); i++)
jobList.Add(new DataClass(jobs[i, 0], jobs[i, 1]));
// 데이터 정렬 (요청 시간 기준 오름차순)
jobList.Sort((x, y) => CompareTo(x.startTime, y.startTime));
int currTime = 0; // 현재 시간
// 작업할 디스크가 없을 때까지 수행
while (jobList.Count > 0 || list.Count > 0)
{
// 요청 받은 작업 갱신
while (jobList.Count > 0 && jobList[0].startTime <= currTime)
{
list.Add(jobList[0]);
jobList.RemoveAt(0);
}
if (list.Count > 0)
{
// 작업 소요 시간을 기준으로 오름차순 정렬
list.Sort((x, y) => CompareTo(x.playTime, y.playTime));
// 작업 소요 시간이 가장 짧은 요청 받은 작업 수행
currTime += list[0].playTime;
answer += currTime - list[0].startTime;
list.RemoveAt(0);
}
else
currTime++;
}
return answer / jobs.GetLength(0); // 평균
}
}
'CodingTest > Programmers Lv.3' 카테고리의 다른 글
[프로그래머스 C#] Lv.3 연속 펄스 부분 수열의 합 (0) | 2024.10.11 |
---|---|
[프로그래머스 C#] Lv.3 미로 탈출 명령어 (0) | 2024.10.11 |
[프로그래머스 C#] Lv.3 모두 0으로 만들기 (0) | 2024.04.10 |
[프로그래머스 C#] Lv.3 기지국 설치 (0) | 2024.04.09 |
[프로그래머스 C#] Lv.3 억억단을 외우자 (0) | 2024.04.04 |