栈
发现自己对栈掌握的不行啊,来补一补题。
因为栈 先进后出 的特点。非常适合做匹配类的题目。
例如 括号匹配
假如我们 将左括号 放在一起,当遍历到右括号的时候,这个右括号应该和离他最近的左括号匹配。也就是最晚遍历到的左括号。正好和栈的 先进后出相符和。
也就是说 我们遍历字符串,将左括号放到栈里面。
click me!
不符合的条件:
匹配的字符不对应。
左括号多 (也就是 st没有清空)
右括号多(也就是 string 还没有遍历完,st就空了)
class Solution {
public:bool isValid(string s) {if(s.size()%2!=0)return false;bool f=1;stack <char>st;for (auto i:s){if (i=='('||i=='{'||i=='[')st.push(i);else {if(st.empty()){f=0;continue;}if (i==')'){if (st.top()=='('){st.pop();}else f=0;}else if (i=='}'){if (st.top()=='{'){st.pop();}else f=0;}else if (i==']'){if (st.top()=='['){st.pop();}else f=0;}}}if(st.empty()&&f){return true;}else return false;}
};
tips:
在匹配左括号的时候,右括号先入栈,就只需要比较当前元素和栈顶相不相等就可以了,
class Solution {
public:bool isValid(string s) {if (s.size()%2!=0)return false;stack<char>st;for (int 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();}
};
click me!
当然这道题也可以用 双指针来维护,区间的st 和ed,只不过细节很多。考虑越界的问题了。
删除相邻相同元素 。有效的括号 是匹配左右括号,本题是匹配相邻元素,最后都是做消除的操作。
class Solution {
public:string removeDuplicates(string s) {if(s.size()==1)return s;stack<char>st;for(auto i:s){if (st.empty()||i!=st.top())st.push(i);else st.pop();}string t;while(!st.empty()){t+=st.top();st.pop();}reverse(t.begin(),t.end());return t;}
};
逆波兰表达式求值
逆波兰表达式:是一种后缀表达式,所谓后缀就是指运算符写在后面。
平常使用的算式则是一种中缀表达式,如 ( 1 + 2 ) * ( 3 + 4 ) 。
该算式的逆波兰表达式写法为 ( ( 1 2 + ) ( 3 4 + ) * ) 。
适合用栈操作运算:遇到数字则入栈;遇到运算符则取出栈顶两个数字进行计算,并将结果压入栈中
class Solution {
public:int evalRPN(vector<string>& tokens) {stack<long long>st;for(auto i:tokens){if (i=="+"||i=="-"||i=="*"||i=="/"){long long t1=st.top();st.pop();long long t2=st.top();st.pop();if (i=="+")st.push(t1+t2);else if (i=="-")st.push(t2-t1);else if (i=="*")st.push(t1*t2);else if (i=="/")st.push(t2/t1);}else {st.push(stoll(i));}}long long result=st.top();return result;}
};