출처: https://programmers.co.kr/learn/courses/30/lessons/42576/solution_groups?language=python3&type=all
문제
수많은 마라톤 선수들이 마라톤에 참여하였습니다. 단 한 명의 선수를 제외하고는 모든 선수가 마라톤을 완주하였습니다.
마라톤에 참여한 선수들의 이름이 담긴 배열 participant와 완주한 선수들의 이름이 담긴 배열 completion이 주어질 때, 완주하지 못한 선수의 이름을 return 하도록 solution 함수를 작성해주세요.
제한사항
- 마라톤 경기에 참여한 선수의 수는 1명 이상 100,000명 이하입니다.
- completion의 길이는 participant의 길이보다 1 작습니다.
- 참가자의 이름은 1개 이상 20개 이하의 알파벳 소문자로 이루어져 있습니다.
- 참가자 중에는 동명이인이 있을 수 있습니다.
입출력 예
participant | completion | return |
[leo, kiki, eden] | [eden, kiki] | leo |
[marina, josipa, nikola, vinko, filipa] | [josipa, filipa, marina, nikola] | vinko |
[mislav, stanko, mislav, ana] | [stanko, ana, mislav] | mislav |
입출력 예 설명
예제 #1
leo는 참여자 명단에는 있지만, 완주자 명단에는 없기 때문에 완주하지 못했습니다.
예제 #2
vinko는 참여자 명단에는 있지만, 완주자 명단에는 없기 때문에 완주하지 못했습니다.
예제 #3
mislav는 참여자 명단에는 두 명이 있지만, 완주자 명단에는 한 명밖에 없기 때문에 한명은 완주하지 못했습니다.
나의 풀이
- Python3
def solution(participant, completion):
dict_participant = {}
for name in participant:
if name not in dict_participant:
dict_participant[name] = 1
continue
dict_participant[name] += 1
for name in completion:
dict_participant[name] -= 1
if dict_participant[name] == 0:
del dict_participant[name]
return list(dict_participant.keys())[0]
- JavaScript
function solution(participant, completion) {
const dic = {};
for (let name of participant) {
if (!dic[name]) {
dic[name] = 1;
continue;
}
dic[name]++;
}
for (let name of completion) {
if (dic[name] === 1) {
delete dic[name];
continue;
}
dic[name]--;
}
return Object.keys(dic)[0];
}
좋아요 많이 받은 풀이
import collections
def solution(participant, completion):
answer = collections.Counter(participant) - collections.Counter(completion)
return list(answer.keys())[0]
'알고리즘' 카테고리의 다른 글
[알고리즘] 삽입정렬, 인서션 소트 (Insertion Sort) (0) | 2019.08.08 |
---|---|
[알고리즘] 선택정렬, 셀렉션소트 (Selection Sort) (0) | 2019.08.07 |
[알고리즘] 거품정렬, 버블 소트(Bubble sort) (0) | 2019.08.06 |
[알고리즘] Extra Long Factorials (0) | 2019.07.24 |
[알고리즘] Sherlock and Squares (0) | 2019.07.18 |
댓글