본문 바로가기

Algorithm/String

(C++) - LeetCode (easy) 1309. Decrypt String from Alphabet to Integer Mapping

반응형

https://leetcode.com/problems/decrypt-string-from-alphabet-to-integer-mapping/description/

 

LeetCode - The World's Leading Online Programming Learning Platform

Level up your coding skills and quickly land a job. This is the best place to expand your knowledge and get prepared for your next interview.

leetcode.com

문자열을 다루는 문제였습니다.

📕 풀이방법

📔 입력 및 초기화

반환할 복호화된 문자열 decryptedString을 선언해줍니다.

📔 풀이과정

s의 원소에 대해 순회해주며 다음을 수행합니다.

1. 현재 원소가 1또는 2라면 2칸 건너 '#'이 있는지 확인해줍니다.

  1-1. #이라면 j부터 시작하는 alphabat이므로 i ~ i+1까지 substring한 문자를 int num에 저장한 후 복호화해줍니다.

  1-2. 아니라면 a부터 시작하는 alphabat이므로 바로 현재 원소값을 복호화해줍니다.

2. 이외의 경우 a부터 시작하는 alphabat이므로 현재 원소값을 복호화해줍니다.

📔 정답 출력 | 반환

decryptedString을 반환합니다.


📕 Code

📔 C++

class Solution {
public:
    string freqAlphabets(string s) {
        string decryptedString;
        for(int i = 0; i < s.size(); i++) {
            if(s[i] == '1' || s[i] == '2') {
                if (i + 2 < s.size() && s[i+2] == '#') {
                    int num = stoi(s.substr(i,2));
                    decryptedString += num - 1 + 'a';
                    i += 2;
                } else {
                    decryptedString += s[i] - '0' - 1 + 'a';
                }
            }
            else {
                decryptedString += s[i] - '0' - 1 + 'a';
            }
        }
        return decryptedString;
    }
};

*더 나은 내용을 위한 지적, 조언은 언제나 환영합니다.