24. Remove All Adjacent Duplicates In String
Input: s = "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".Input: s = "azxxzy"
Output: "aySolution: (Stack)
class Solution
{
public:
string removeDuplicates(string s)
{
stack<char> st;
string res = "";
for (int i = 0; i < s.length(); i++)
{
if (!st.empty() && st.top() == s[i])
{
st.pop();
res.pop_back();
}
else
{
st.push(s[i]);
res += s[i];
}
}
return res;
}
};Last updated