621 | Task Scheduler
https://leetcode.com/problems/task-scheduler/
Given a characters array tasks, representing the tasks a CPU needs to do, where each letter represents a different task. Tasks could be done in any order. Each task is done in one unit of time. For each unit of time, the CPU could complete either one task or just be idle.
However, there is a non-negative integer n that represents the cooldown period between two same tasks (the same letter in the array), that is that there must be at least n units of time between any two same tasks.
Return the least number of units of times that the CPU will take to finish all the given tasks.
Example 1:
Input: tasks = ["A","A","A","B","B","B"], n = 2
Output: 8
Explanation:
A -> B -> idle -> A -> B -> idle -> A -> B
There is at least 2 units of time between any two same tasks.
Example 2:
Input: tasks = ["A","A","A","B","B","B"], n = 0
Output: 6
Explanation: On this case any permutation of size 6 would work since n = 0.
["A","A","A","B","B","B"]
["A","B","A","B","A","B"]
["B","B","B","A","A","A"]
...
And so on.
Example 3:
Input: tasks = ["A","A","A","A","A","A","B","C","D","E","F","G"], n = 2
Output: 16
Explanation:
One possible solution is
A -> B -> C -> A -> D -> E -> A -> F -> G -> A -> idle -> idle -> A -> idle -> idle -> A
Constraints:
- 1 <= task.length <= 104
- tasks[i] is upper-case English letter.
- The integer n is in the range [0, 100].
작성 코드(실패)
- 숫자 패턴을 파악하려고 했었음
- 만약 가장 큰 값이 n 보다 크다면 가장 큰 값의 count - 1 * n + 남은 것들...
- 5 1 1 1 1 1 1 1 1번씩, n = 2 라면 성립 X
참고 코드
import collections
from typing import List
class Solution:
def leastInterval(self, tasks: List[str], n: int) -> int:
counter = collections.Counter(tasks)
result = 0
while True:
sub_count = 0
# 개수 순 추출
for task, _ in counter.most_common(n + 1):
sub_count += 1
result += 1
counter.subtract(task)
# 0 이하인 아이템을 목록에서 완전히 제거
counter += collections.Counter()
if not counter:
break
result += n - sub_count + 1
return result
- most_common() : 가장 개수가 많은 아이템부터 출력하는 함수
- substract -> 가장 큰 값을 가져오고 count 에 1을 뺀 값 값 넣어 줌
반응형
'Algorithm > 파이썬 알고리즘 인터뷰' 카테고리의 다른 글
| [그리디 알고리즘] 쿠키 (0) | 2023.04.06 |
|---|---|
| [그리디 알고리즘] 주유소 (0) | 2023.04.05 |
| [그리디 알고리즘] 키에 따른 대기열 재구성 (0) | 2023.03.28 |
| [그리디 알고리즘] 주식을 사고팔기 가장 좋은 시점Ⅱ (0) | 2023.03.24 |
| [해시 테이블] 상위 K 빈도 요소 (1) | 2023.03.22 |
댓글