# LC 1047. Remove All Adjacent Duplicates In String
### [Problem link](https://leetcode.com/problems/remove-all-adjacent-duplicates-in-string/)
###### tags: `leedcode` `easy` `python` `c++`
You are given a string <code>s</code> consisting of lowercase English letters. A **duplicate removal** consists of choosing two **adjacent** and **equal** letters and removing them.
We repeatedly make **duplicate removals** on <code>s</code> until we no longer can.
Return the final string after all such duplicate removals have been made. It can be proven that the answer is **unique** .
**Example 1:**
```
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".
```
**Example 2:**
```
Input: s = "azxxzy"
Output: "ay"
```
**Constraints:**
- <code>1 <= s.length <= 10<sup>5</sup></code>
- <code>s</code> consists of lowercase English letters.
## Solution 1
#### Python
```python=
class Solution:
def removeDuplicates(self, s: str) -> str:
stack = []
for c in s:
if stack and c == stack[-1]:
stack.pop()
else:
stack.append(c)
return ''.join(stack)
```
#### C++
```cpp=
class Solution {
public:
string removeDuplicates(string s) {
string res;
for (char &c: s) {
if (!res.empty() && c == res.back()) {
res.pop_back();
} else {
res.push_back(c);
}
}
return res;
}
};
```
>### Complexity
>| | Time Complexity | Space Complexity |
>| ----------- | --------------- | ---------------- |
>| Solution 1 | O(n) | O(n) |
## Note
x
[](https://)