力扣394题,字符串编码
题目描述
给定一个经过编码的字符串,返回它解码后的字符串。
编码规则为: k[encoded_string],表示其中方括号内部的 encoded_string 正好重复 k 次。注意 k 保证为正整数。
你可以认为输入字符串总是有效的;输入字符串中没有额外的空格,且输入的方括号总是符合格式要求的。
此外,你可以认为原始数据不包含数字,所有的数字只表示重复的次数 k ,例如不会出现像 3a 或 2[4] 的输入。
输入输出样例
输入:s = "3[a]2[bc]"
输出:"aaabcbc"
输入:s = "3[a2[c]]"
输出:"accaccacc"
输入:s = "2[abc]3[cd]ef"
输出:"abcabccdcdcdef"
输入:s = "abc3[cd]xyz"
输出:"abccdcdcdxyz"
1 <= s.length <= 30
s 由小写英文字母、数字和方括号 ‘[]’ 组成
s 保证是一个 有效 的输入。
s 中所有整数的取值范围为 [1, 300]
解法一,使用辅助栈
//使用辅助栈的思想进行完成
//构建辅助栈,遍历字符串中每一个字符
//当字符为数字时,记录数字,用于后续计算
//当字符为字母时,添加字符
//当字符为[,将数字和字符进行入栈,并分别置为0
//记录[的临时结果,并于后续的]进行拼接操作
//当字符为]时,出栈,拼接字符串
class Solution {
public:
string decodeString(string s) {
//初始化字符串和数字值
string res="";
int nums=0;
//建立数字堆栈和字符串堆栈
stack<int>stackNum;
stack<string>stackRes;
int length=s.size();
for(int i=0;i<length;i++)
{
//[前的数字和字符压入堆栈
if(s[i]=='[')
{
stackNum.push(nums);
stackRes.push(res);
nums=0;
res="";
}
//匹配]所添加的堆栈
else if(s[i]==']')
{
string temp;
int curNum=stackNum.top();
stackNum.pop();
for(int i=0;i<curNum;i++)
{
temp.append(res);
}
//跟上一级的res合并因为是同级的
res=stackRes.top()+temp;
stackRes.pop();
}
else if(s[i]>='0'&&s[i]<='9')
{
nums=nums*10+s[i]-'0';
}
else
{
res=res+s[i];
}
}
return res;
}
};
解法二,使用递归
//使用递归的方法进行实现,将[和]作为递归开始和终止的条件
class Solution2 {
public:
string decodeString(string s) {
int index=0;
return dfs(s,index);
}
string dfs(string &str,int &index)
{
string res;
int nums=0;
for(;index<str.size();index++)
{
if(str[index]>='0'&&str[index]<='9')
{
nums=nums*10+str[index]-'0';
}
else if(str[index]=='[')
{
//递归开始
string temp1;
string temp2=dfs(str,++index);
while(nums!=0)
{
temp1.append(temp2);
nums--;
}
res+=temp1;
}
else if(str[index]==']')
{
return res;
}
else{
res+=str[index];
}
}
return res;
}
};