Level. 1
문제
얀에서는 매년 달리기 경주가 열립니다.
해설진들은 선수들이 자기 바로 앞의 선수를 추월할 때 추월한 선수의 이름을 부릅니다.
예를 들어 1등부터 3등까지 "mumu", "soe", "poe" 선수들이 순서대로 달리고 있을 때, 해설진이 "soe"선수를 불렀다면 2등인 "soe" 선수가 1등인 "mumu" 선수를 추월했다는 것입니다. 즉 "soe" 선수가 1등, "mumu" 선수가 2등으로 바뀝니다.
선수들의 이름이 1등부터 현재 등수 순서대로 담긴 문자열 배열 players와 해설진이 부른 이름을 담은 문자열 배열 callings가 매개변수로 주어질 때, 경주가 끝났을 때 선수들의 이름을 1등부터 등수 순서대로 배열에 담아 return 하는 solution 함수를 완성해주세요.
* 제한사항
- 5 ≤ players의 길이 ≤ 50,000
players[i]는 i번째 선수의 이름을 의미합니다.
players의 원소들은 알파벳 소문자로만 이루어져 있습니다.
players에는 중복된 값이 들어가 있지 않습니다.
3 ≤ players[i]의 길이 ≤ 10
- 2 ≤ callings의 길이 ≤ 1,000,000
callings는 players의 원소들로만 이루어져 있습니다.
경주 진행중 1등인 선수의 이름은 불리지 않습니다.
풀이
import java.util.Arrays;
import java.util.HashMap;
import java.util.Map;
class Solution {
public String[] solution(String[] players, String[] callings) {
/*
String[] answer = players.clone();
for(String calling : callings){
int index = Arrays.asList(answer).indexOf(calling);
String temp = answer[index];
answer[index] = answer[index-1];
answer[index-1] = temp;
}
return answer;
*/
String[] answer = players.clone();
Map<String, Integer> map = new HashMap<>();
for(int i=0; i<players.length; i++){
map.put(players[i], i);
}
for(int i=0; i<callings.length; i++){
int index = map.get(callings[i]);
map.put(answer[index], map.get(answer[index])-1);
map.put(answer[index-1], map.get(answer[index-1])+1);
String temp = answer[index];
answer[index] = answer[index-1];
answer[index-1] = temp;
}
return answer;
}
}
Arrays.asList(answer).indexOf(calling)
위처럼 indexOf로 선수의 현재 순위(index)를 가져올 경우 시간초과가 발생하게 되는데,
이를 피하기 위해 HashMap을 이용하여 각 선수마다 현재 순위를 저장하여 풀이하였다.
https://school.programmers.co.kr/learn/courses/30/lessons/178871
'Algorithm > Programers - Java' 카테고리의 다른 글
[프로그래머스(Java)] 신규 아이디 추천 / replaceAll() , 정규식 ** (0) | 2024.04.28 |
---|---|
[프로그래머스(Java)] 개인정보 수집 유효기간 (1) | 2024.04.28 |
[프로그래머스(Java)] 공원 산책 (0) | 2024.04.21 |
[프로그래머스(Java)] 마지막 두 원소 / Arrays.copyOf() (0) | 2024.02.27 |
[프로그래머스(Java)] 접두사인지 확인하기 / String.startsWith() (0) | 2024.02.26 |