541~1382连接合并+commit之前 gitpull

This commit is contained in:
XuDaHaoRen
2021-08-24 13:11:57 +08:00
parent 059b5471cd
commit 8c748680f1
37 changed files with 97 additions and 155 deletions

View File

@@ -13,7 +13,7 @@
# 1047. 删除字符串中的所有相邻重复项
https://leetcode-cn.com/problems/remove-all-adjacent-duplicates-in-string/
[力扣题目链接](https://leetcode-cn.com/problems/remove-all-adjacent-duplicates-in-string/)
给出由小写字母组成的字符串 S重复项删除操作会选择两个相邻且相同的字母并删除它们。
@@ -26,7 +26,7 @@ https://leetcode-cn.com/problems/remove-all-adjacent-duplicates-in-string/
* 输入:"abbaca"
* 输出:"ca"
* 解释:例如,在 "abbaca" 中,我们可以删除 "bb" 由于两字母相邻且相同,这是此时唯一可以执行删除操作的重复项。之后我们得到字符串 "aaca",其中又只有 "aa" 可以执行重复项删除操作,所以最后的字符串为 "ca"。
 
提示:
* 1 <= S.length <= 20000
@@ -197,38 +197,15 @@ class Solution {
Python
```python3
# 方法一,使用栈,推荐!
class Solution:
def removeDuplicates(self, s: str) -> str:
res = list()
for item in s:
if res and res[-1] == item:
res.pop()
t = list()
for i in s:
if t and t[-1] == i:
t.pop(-1)
else:
res.append(item)
return "".join(res) # 字符串拼接
```
```python3
# 方法二,使用双指针模拟栈,如果不让用栈可以作为备选方法。
class Solution:
def removeDuplicates(self, s: str) -> str:
res = list(s)
slow = fast = 0
length = len(res)
while fast < length:
# 如果一样直接换不一样会把后面的填在slow的位置
res[slow] = res[fast]
# 如果发现和前一个一样,就退一格指针
if slow > 0 and res[slow] == res[slow - 1]:
slow -= 1
else:
slow += 1
fast += 1
return ''.join(res[0: slow])
t.append(i)
return "".join(t) # 字符串拼接
```
Go