단의 개발 블로그

둘만의 암호 본문

Algorithm/CPP

둘만의 암호

danso 2024. 8. 5. 18:10

💡 문제

두 문자열 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 함수를 완성해주세요.

 

💡 제한사항

  • 5 ≤ s의 길이 ≤ 50
  • 1 ≤ skip의 길이 ≤ 10
  • s와 skip은 알파벳 소문자로만 이루어져 있습니다.
    • skip에 포함되는 알파벳은 s에 포함되지 않습니다.
  • 1 ≤ index ≤ 20

입출력

 

입출력 예#1

본문과 같습니다.

 풀이

#include <string>
#include <vector>

using namespace std;

string solution(string s, string skip, int index) {
    string answer = "";
    int loopCount = 0, tempIndex = 0, ch = 0;
    char resultChar;
    for (char alphabet : s)
    {
        loopCount = 0;
        int tempIndex = index;
        ch = int(alphabet);
        while(loopCount != tempIndex)
        {
            loopCount++;
            ch++;
            while (ch > 122)
            {
                ch = (ch - 122) + 96;
            }
            resultChar = char(ch);
            if (skip.find(resultChar) != std::string::npos)
            {
                tempIndex++;
                
            }
            if (loopCount == tempIndex)
            {
                answer.push_back(resultChar);
            }
        }
    }
    return answer;
}

 

 

'Algorithm > CPP' 카테고리의 다른 글

크기가 작은 부분문자열  (0) 2024.08.08
개인정보 수집 유효기간  (0) 2024.08.08
카드뭉치  (0) 2024.08.02
대충 만든 자판  (0) 2024.08.01
덧칠하기  (0) 2024.07.31