participant
마라톤에 참여한 선수들의 이름이 담긴 배열 | ["leo", "kiki", "eden"] | 1명 이상 100,000명 이하, 참가자의 이름은 1개 이상 20개 이하의 알파벳 소문자로 이루어짐, 참가자 중에는 동명이인이 있을 수 있음
completion
완주한 선수들의 이름이 담긴 배열 | ["eden", "kiki"] | completion의 길이는 participant의 길이보다 1 작음
완주하지 못한 선수의 이름을 return
동명이인이 있을 수 있으므로, Map으로 인원수를 관리
import java.util.*;
class Solution {
public String solution(String[] participant, String[] completion) {
Map<String, Integer> map = new HashMap<>();
for(String parti : participant){
map.put(parti,map.getOrDefault(parti,0)+1);
}
for(String com : completion){
Integer cnt = map.get(com);
map.put(com, cnt-1);
}
String ans = "";
for(String key : map.keySet() ){
if(0 < map.get(key)){
ans = key;
break;
}
}
return ans;
}
}
import java.util.*;
class Solution {
public String solution(String[] participant, String[] completion) {
Map<String, Integer> map = new HashMap<>();
for (String parti : participant) {
map.put(parti, map.getOrDefault(parti, 0) + 1);
}
for (String com : completion) {
Integer cnt = map.get(com);
if (cnt != null && cnt == 1) {
map.remove(com);
} else {
map.put(com, cnt - 1);
}
}
return map.keySet().iterator().next();
}
}
=> 생각보단 시간차이가 없었음
Tip : 중복을 같이 저장해야한다면, Set보다는 Map을 선택해야 한다.