题目描述:
Given a string S of lowercase letters, a duplicate removal consists of choosing two adjacent and equal letters, and removing them.
We repeatedly make duplicate removals on S until we no longer can.
Return the final string after all such duplicate removals have been made. It is guaranteed the answer is unique.
Example 1:
Input: "abbaca" Output: "ca" Explanation: For example, in "abbaca" we could remove "bb" since the letters are adjacent and equal, and this is the only possible move. The result of this move is that the string is "aaca", of which only "aa" is possible, so the final string is "ca".
Note:
1 <= S.length <= 20000Sconsists only of English lowercase letters.
class Solution {
public:
string removeDuplicates(string S) {
stack<char> x;
for(char c:S)
{
if(x.empty()) x.push(c);
else
{
bool flag=true; // 如果存在重复字符,当前字符不能入栈
while(!x.empty()&&x.top()==c)
{
x.pop();
flag=false;
}
if(flag) x.push(c);
}
}
string result;
while(!x.empty())
{
result.push_back(x.top());
x.pop();
}
reverse(result.begin(),result.end());
return result;
}
};
630

被折叠的 条评论
为什么被折叠?



