수많은 마라톤 선수들이 마라톤에 참여하였습니다. 단 한 명의 선수를 제외하고는 모든 선수가 마라톤을 완주하였습니다.
마라톤에 참여한 선수들의 이름이 담긴 배열 participant와 완주한 선수들의 이름이 담긴 배열 completion이 주어질 때, 완주하지 못한 선수의 이름을 return 하도록 solution 함수를 작성해주세요.
예제 #1
leo는 참여자 명단에는 있지만, 완주자 명단에는 없기 때문에 완주하지 못했습니다.
예제 #2
vinko는 참여자 명단에는 있지만, 완주자 명단에는 없기 때문에 완주하지 못했습니다.
예제 #3
mislav는 참여자 명단에는 두 명이 있지만, 완주자 명단에는 한 명밖에 없기 때문에 한명은 완주하지 못했습니다.
구해야 할 것은 완주하지 못한 자를 골라내는 것이다. 즉, completion 배열에는 없고 participant 배열에는 있는 사람을 찾으면 된다.
처음 생각한 것은 다음과 같다.
1. 두 배열을 정렬한다.
2. 반복문을 이용해 두 배열의 요소를 비교한다.
3. 만약 두 배열의 요소가 같지 않다면 다음의 두 가지 경우다.
3-1. 동명이인이 존재하고, 그 중 한명이 완주자가 아니다.
3-2. participant에는 존재하고 completion에는 없다. 즉, 완주자가 아니므로 participant쪽 요소를 리턴한다.
4. 반복문을 끝까지 완수했는데도 정답이 안나온다 -> participant배열의 마지막 요소를 리턴한다.
import java.io.BufferedWriter;
import java.io.IOException;
import java.io.OutputStreamWriter;
import java.util.Arrays;
public class PRO_완주하지못한선수 {
static String[] participant = { "leo", "kiki", "eden" };
static String[] completion = { "eden", "kiki" };
public static void main(String[] args) throws IOException {
BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));
bw.write(solution(participant, completion));
bw.flush();
bw.close();
}
static String solution(String[] participant, String[] completion) {
String answer = "";
Arrays.sort(participant);
Arrays.sort(completion);
for (int i = 0; i < completion.length; i++) {
if (!participant[i].equals(completion[i])) {
answer += participant[i];
return answer;
}
}
answer += participant[participant.length - 1];
return answer;
}
}
다른 방법은 hashmap을 이용하여 푸는 방법이다. 이 문제 자체가 hashmap에 분류 되어 있기도 하고 효율성면에서 hashmap을 사용하는 것이 훨씬 좋기 때문에 다음과 같이 hashmap을 이용하여 푸는 것이 정석이다.
import java.util.HashMap;
class Solution {
public String solution(String[] participant, String[] completion) {
String answer = "";
HashMap<String, Integer> hm = new HashMap<>();
for (String player : participant) hm.put(player, hm.getOrDefault(player, 0) + 1);
for (String player : completion) hm.put(player, hm.get(player) - 1);
for (String key : hm.keySet()) {
if (hm.get(key) != 0){
answer = key;
}
}
return answer;
}
}