https://school.programmers.co.kr/learn/courses/30/lessons/42576
문제
수많은 마라톤 선수들이 마라톤에 참여하였습니다. 단 한 명의 선수를 제외하고는 모든 선수가 마라톤을 완주하였습니다.
마라톤에 참여한 선수들의 이름이 담긴 배열 participant와 완주한 선수들의 이름이 담긴 배열 completion이 주어질 때, 완주하지 못한 선수의 이름을 return 하도록 solution 함수를 작성해주세요.
제한사항
마라톤 경기에 참여한 선수의 수는 1명 이상 100,000명 이하입니다.
completion의 길이는 participant의 길이보다 1 작습니다.
참가자의 이름은 1개 이상 20개 이하의 알파벳 소문자로 이루어져 있습니다.
참가자 중에는 동명이인이 있을 수 있습니다.
풀이(Kotlin)
class Solution {
fun solution(
participant: Array<String>, completion: Array<String>,
): String {
val sorted_participant = participant.sorted()
val sorted_completion = completion.sorted()
for (i in sorted_completion.indices) {
if (sorted_participant[i] != sorted_completion[i]) return sorted_participant[i]
}
return sorted_participant.last()
}
}
- 해당문제는 크게 두가지로 풀수있습니다. set을 이용해서 해당값이 있는지 탐색하는것과 위코드처럼 정렬을 하여 맞는지 탐색하는 방법이 있습니다.
풀이(Java)
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collections;
class Solution {
public String solution(String[] participant, String[] completion) {
ArrayList<String> part = new ArrayList<String>(Arrays.asList(participant));
ArrayList<String> comp = new ArrayList<String>(Arrays.asList(completion));
Collections.sort(part);
Collections.sort(comp);
for (int i = 0; i < part.size() - 1; i++) {
if (!(part.get(i).equals(comp.get(i)))) {
return part.get(i);
}
}
return part.get(part.size() - 1);
}
}
결과
'코틀린 > 프로그래머스' 카테고리의 다른 글
[프로그래머스] - 신규 아이디 추천(Kotlin) (0) | 2023.08.09 |
---|---|
[프로그래머스] - 행렬의 곱셈(Kotlin) (0) | 2023.08.09 |
[프로그래머스] - 소수 만들기 (Kotlin) (0) | 2023.08.08 |
[프로그래머스] - 성격 유형 검사하기 (Kotlin) (0) | 2023.08.08 |
[프로그래머스] - 키패드 누르기 (Kotlin) (0) | 2023.08.08 |