g0301_0400.s0394_decode_string.Solution Maven / Gradle / Ivy
Go to download
Show more of this group Show more artifacts with this name
Show all versions of leetcode-in-java Show documentation
Show all versions of leetcode-in-java Show documentation
Java-based LeetCode algorithm problem solutions, regularly updated
package g0301_0400.s0394_decode_string;
// #Medium #Top_100_Liked_Questions #String #Stack #Recursion
public class Solution {
private int i = 0;
public String decodeString(String s) {
int count = 0;
StringBuilder sb = new StringBuilder();
while (i < s.length()) {
char c = s.charAt(i);
i++;
if (Character.isLetter(c)) {
sb.append(c);
} else if (Character.isDigit(c)) {
count = count * 10 + Character.getNumericValue(c);
} else if (c == ']') {
break;
} else if (c == '[') {
// sub problem
String repeat = decodeString(s);
while (count > 0) {
sb.append(repeat);
count--;
}
}
}
return sb.toString();
}
}