주어진 인코딩된 문자열을 디코딩하여 반환합니다.
인코딩 규칙은 다음과 같습니다: k[encoded_string], 여기서 대괄호 내의 encoded_string은 정확히 k번 반복됩니다. 여기서 k는 양의 정수임이 보장됩니다.
입력 문자열이 항상 유효하다고 가정할 수 있습니다. 추가적인 공백이 없으며, 대괄호가 올바르게 구성되었고, 원본 데이터에 숫자가 포함되지 않으며 숫자는 반복 횟수 k에만 사용됩니다. 예를 들어 3a 또는 2[4]와 같은 입력은 없습니다.
테스트 케이스는 결과 문자열의 길이가 105를 넘지 않도록 생성됩니다.
Given an encoded string, return its decoded string.
The encoding rule is: k[encoded_string], where the encoded_string inside the square brackets is being repeated exactly k times. Note that k is guaranteed to be a positive integer.
You may assume that the input string is always valid; there are no extra white spaces, square brackets are well-formed, etc. Furthermore, you may assume that the original data does not contain any digits and that digits are only for those repeat numbers, k. For example, there will not be input like 3a or 2[4].
The test cases are generated so that the length of the output will never exceed 105.
Example 1:
Input: s = "3[a]2[bc]"
Output: "aaabcbc"
Example 2:
Input: s = "3[a2[c]]"
Output: "accaccacc"
Example 3:
Input: s = "2[abc]3[cd]ef"
Output: "abcabccdcdcdef"
문제 요약:
주어진 인코딩된 문자열 s를 디코딩하여 원래 문자열로 반환합니다. 인코딩 규칙은 다음과 같습니다:
풀이과정:
class Solution {
public String decodeString(String s) {
Stack<Integer> stkNum = new Stack<>();
Stack<String> stkStr = new Stack<>();
int tmpNum = 0;
String tmpStr = "";
for(char c: s.toCharArray()){
if(Character.isDigit(c)){
tmpNum = tmpNum *10 + Character.getNumericValue(c);
}else if(c == '['){
stkNum.push(tmpNum);
stkStr.push(tmpStr);
tmpNum = 0;
tmpStr = "";
}else if(c == ']'){
int reNum = stkNum.pop();
String reStr = stkStr.pop();
for(int i = 0; i < reNum; i++){
reStr += tmpStr;
}
tmpStr = reStr;
}else{
tmpStr += c;
}
}
return tmpStr;
}
}
1448. Count Good Nodes in Binary Tree (0) | 2023.10.26 |
---|---|
872. Leaf-Similar Trees (0) | 2023.10.26 |
104. Maximum Depth of Binary Tree (0) | 2023.10.26 |
2352. Equal Row and Column Pairs (0) | 2023.10.26 |
2095. Delete the Middle Node of a Linked List (0) | 2023.10.24 |