题目描述
字符串压缩。利用字符重复出现的次数,编写一种方法,实现基本的字符串压缩功能。比如,字符串aabcccccaaa会变为a2b1c5a3。若“压缩”后的字符串没有变短,则返回原先的字符串。你可以假设字符串中只包含大小写英文字母(a至z)。
样例
输入:"aabcccccaaa"
输出:"a2b1c5a3"
输入:"abbccd"
输出:"abbccd"
解释:"abbccd"压缩后为"a1b2c2d1",比原字符串长度更长。
字符串长度在[0, 50000]范围内。
(模拟就完事了+最长连续重复子串双指针) $O(n)$
C++ 代码
class Solution {
public:
string compressString(string a) {
if(!a.size() || a.size() == 1)return a;
cout << a.size() << endl;
string res;int j = 0;
for(int i = 0 ; i < a.size()-1; i++)
{
j = i+1;
res.push_back(a[i]);
while(a[j] == a[i])j++;
int len = j-i;
cout << len << endl;
i = j-1;
string c = to_string(len);
res += c;
}
cout << j << endl;
if(j == a.size()-1)
{
if(a[j]==a[j-1])
{
res.push_back(a[j]);
res.push_back('2');
}else{
res.push_back(a[j]);
res.push_back('1');
}
}
cout << res << endl;
return res.size() < a.size() ? res : a;
}
};