문제
문제 설명
수많은 마라톤 선수들이 마라톤에 참여하였습니다. 단 한 명의 선수를 제외하고는 모든 선수가 마라톤을 완주하였습니다.
마라톤에 참여한 선수들의 이름이 담긴 배열 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"는 참여자 명단에는 두 명이 있지만, 완주자 명단에는 한 명밖에 없기 때문에 한명은 완주하지 못했습니다.
풀이법
문제 해법
참가자에서 완주하지 못한 사람을 비교하여 찾아내면 된다.
참가자와 완주가 array로 존재 array를 비교하는 방법은 3은 크게 3가지 존재 자세한 설명은 아래 참조
cjeon.com/2016/06/09/telling-equality-of-two-arrays.html
단순 풀이 부터 효율 풀이 까지
풀이 1) 2중 Loop (O(N^2) 느리다.
효율 최악 이기때문에 쓰면 안됨.
bool found = false;
std::vector<std::string> A = {"A", "A", "B", "C"};
std::vector<std::string> B = {"A", "A", "B", "C"};
for (int i = 0; i < N; i++) {
for(int j =0; j < N i++) {
if (A[i] == B[j]) {
B[j] = "";
found = true;
}
}
if (false == found) {
std::cout<< "완주 하지 못한 사람 " << A[i] << std::endl;
}
}
풀이 2) sort + Loop (O(NlogN)
string solution(vector<string> participant, vector<string> completion) {
string answer = "";
std::sort(participant.begin(), participant.end());
std::sort(completion.begin(), completion.end());
for (int i = 0; i < completion.size(); i++) {
if (0 != participant[i].compare(completion[i])) {
answer = participant[i];
break;
}
}
if (answer == "") {
answer = participant[participant.size() -1];
}
return answer;
}
풀이 3) hash (O(N))
string solution(vector<string> participant, vector<string> completion) {
std::string answer;
std::map<std::string, int> m_participant, m_completion;
for(auto it = participant.begin(); it != participant.end(); it++) {
m_participant[*it] += 1;
}
for(auto it = completion.begin(); it != completion.end(); it++) {
m_completion[*it] += 1;
}
for (auto it = m_participant.begin(); it != m_participant.end(); it++) {
if (it->second != m_completion[it->first]) {
answer = it->first;
break;
}
}
return answer;
}
필요한 지식
1. sort
1) Header
#include <algorithm>
2) Function
std::vector<std::string> s;
std::sort(s.begin(),s.end());
3) 참조 사이트
www.cplusplus.com/reference/algorithm/sort/
2. hash
'프로그래밍 > 코테' 카테고리의 다른 글
coding test cheat sheet (0) | 2022.08.17 |
---|---|
[프로그래머스] 프린터 Lv. 2 (0) | 2022.07.18 |
[프로그래머스] 기능개발 Lv. 2 (0) | 2022.07.03 |
[프로그래머스] 베스트앨범 Lv. 3 (0) | 2022.07.01 |
[프로그래머스] 위장 (해시 Lv. 2) (0) | 2022.06.29 |