20. 有效的括号
#伪代码
stack<char> st;
#剪枝
if(s.size%2!=0):
return false;
for(i=0;i<s.size();i++){
if(s[i]=='('): st.push(')');
else if(s[i]=='{'): st.push('}');
else if(s[i]=='['): st.push(']');
else if(st.empty()||st.top()!=s[i]): return false;
else st.pop();
}
return st.empty()
#代码
#用一个栈来做
class Solution:
def isValid(self, s: str) -> bool:
stack=[]
for item in s:
if item=='(':
stack.append(')')
elif item=='{':
stack.append('}')
elif item=='[':
stack.append(']')
elif not stack or stack[-1]!=item:
return False
else:
stack.pop()
return True if not stack else False
#用字典来做
class Solution:
def isValid(self, s: str) -> bool:
stack=[]
map0={'(':')','{':'}','[':']'}
for item in s:
if item in map0.keys():
stack.append(map0[item])
elif not stack or stack[-1]!=item:
return False
else:
stack.pop()
return True if not stack else False
1047. 删除字符串中的所有相邻重复项
#伪代码
用字符串来模拟栈
string result;
for(chars:S){
if(result.empty()||s!=result.back()):
result.push_back(S)
else result.pop_back();
}
return result;
#代码
class Solution:
def removeDuplicates(self, s: str) -> str:
#使用栈来做
res=[]
for item in s:
#如果res非空并且res的顶部元素是itemitem
if res and res[-1]==item:
res.pop()
else:
res.append(item)
return "".join(res)
class Solution:
def removeDuplicates(self, s: str) -> str:
#使用双指针法来模拟栈
res=list(s)
slow=0
fast=0
for fast in range(len(res)):
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])
150. 逆波兰表达式求值
栈擅长处理相邻字符的操作
#伪代码
stack<int> st
for(i=0;i<s.size();i++){
if(s[i]=="+"||=='-'||=="*"||=="/"):
nums1=st.top();
st.pop();
nums2=st.top();
st.pop();
if(s[i]==+): st.push(nums1+nums2)
if(s[i]==-): st.push(nums1-nums2)
if(s[i]==*): st.push(nums1*nums2)
if(s[i]==/): st.push(nums1/nums2)
else:
st.push(s[i])
}
int result=st.top()
st.pop()
return result;
#代码
class Solution:
def evalRPN(self, tokens: List[str]) -> int:
res=list()
for item in tokens:
if item=="+" or item=="-" or item=="*" or item=="/":
nums1=int(res[-1])
res.pop()
nums2=int(res[-1])
res.pop()
if item=="+":
res.append(nums1+nums2)
elif item=="-":
res.append(nums2-nums1)
elif item=="*":
res.append(nums1*nums2)
elif item=="/":
res.append(nums2/nums1)
else:
res.append(item)
return int(res[-1])