def solution(N, stages):
stage_dict = {}
stages.sort()
for i in range(1,N+1):
cnt = stages.count(i) # list.count(i) 가 O(n)임 즉 for문 안이니깐 O(n^2)이라 시간이 많이 걸림
if cnt != 0 and len(stages) != 0:
stage_dict[i]= cnt / len(stages)
while stages: # 이중 구조 너무 복잡함
if stages[0]==i:
stages.pop(0)
else:
break
else:
stage_dict[i]=0
# answer = sorted(stage_dict.items(), key=lambda x: x[1], reverse=True)
answer = sorted(stage_dict, key=lambda x: stage_dict[x], reverse=True)
return answer
if __name__=="__main__":
N=5
stages = [2, 1, 2, 6, 2, 4, 3, 3]
print(solution(N, stages))
통과는 하였으니 너무 오래 걸린다.
벌써 O(N^3)은 되는거 같다.
from collections import Counter
def solution(N, stages):
num_people = len(stages) # 전체 인원
info = Counter(stages) # 딕셔너리로 각 요소별 개수 저장
answer = {}
for i in range(1, N+1):
answer[i]=0
for i in range(1, N+1): # 단계별로 확인 1 stage, 2 stage ....
if info[i] !=0 and num_people !=0:
answer[i] = info[i] / num_people
else:
answer[i] = 0 # 예외처리 잊지 말기
num_people -= info[i] # 다음 단계 별로 뒤쳐진 사람은 전체에서 뺌
return sorted(answer, key=lambda x: answer[x], reverse=True)
if __name__=="__main__":
N=5
stages = [2, 1, 2, 6, 2, 4, 3, 3]
print(solution(N, stages))