둘만의 암호
두 문자열 s
와 skip
, 그리고 자연수 index
가 주어질 때, 다음 규칙에 따라 문자열을 만들려 합니다. 암호의 규칙은 다음과 같습니다.
- 문자열
s
의 각 알파벳을index
만큼 뒤의 알파벳으로 바꿔줍니다. index
만큼의 뒤의 알파벳이z
를 넘어갈 경우 다시a
로 돌아갑니다.skip
에 있는 알파벳은 제외하고 건너뜁니다.
예를 들어 s
= "aukks", skip
= "wbqd", index
= 5일 때, a에서 5만큼 뒤에 있는 알파벳은 f지만 [b, c, d, e, f]에서 'b'와 'd'는 skip
에 포함되므로 세지 않습니다. 따라서 'b', 'd'를 제외하고 'a'에서 5만큼 뒤에 있는 알파벳은 [c, e, f, g, h] 순서에 의해 'h'가 됩니다. 나머지 "ukks" 또한 위 규칙대로 바꾸면 "appy"가 되며 결과는 "happy"가 됩니다.
두 문자열 s
와 skip
, 그리고 자연수 index
가 매개변수로 주어질 때 위 규칙대로 s
를 변환한 결과를 return하도록 solution 함수를 완성해주세요.
https://school.programmers.co.kr/learn/courses/30/lessons/155652
import java.util.*;
public class Main {
public static void main(String[] args) {
String s = "aukks";
String skip = "wbqd";
int index = 5;
var reuslt = solution(s, skip, index);
System.out.println(reuslt);
}
public static String solution(String s, String skip, int index) {
char[] chars = s.toCharArray();
List<Character> skipList = new ArrayList<>(skip.length());
for (char c : skip.toCharArray()) {
skipList.add(c);
}
for (int i = 0; i < chars.length; i++) {
int t = 0;
while (t < index) {
chars[i] += 1;
if (chars[i] > 'z') {
chars[i] = 'a';
}
if (!skipList.contains(chars[i])) {
t += 1;
}
}
}
return String.copyValueOf(chars);
}
}