赞
踩
加油,又是奋起直追的一天!
用一个栈来存储前括号,当字符元素为前括号时,将其压入栈,当字符元素为后括号时,判读是否栈内元素与其相对应,如果不对应直接返回false,注意,测试案例可能出现“)”这种单个后括号的情况,这时候判断条件就得加一个是否在栈空的情况下,碰到后括号,此时也返回false。
- class Solution {
- public:
- bool isValid(string s) {
- stack<char>st;
- int len = s.size();
- for(int i=0;i<len;i++){
- if(s[i]=='('||s[i]=='['||s[i]=='{'){
- st.push(s[i]);
- }
- if(s[i]==')'){
- if(st.empty()||st.top()!='('){
- return false;
- }
- else{
- st.pop();
- }
- }
- if(s[i]==']'){
- if(st.empty()||st.top()!='['){
- return false;
- }
- else{
- st.pop();
- }
- }
- if(s[i]=='}'){
- if(st.empty()||st.top()!='{'){
- return false;
- }
- else{
- st.pop();
- }
- }
- }
- return st.empty()?true:false;
- }
- };
当为前括号时,栈内插入其对应的后括号。当遇见后括号时,判断栈顶元素是否是对应插入的后括号,若不相等,则返回false。
- class Solution {
- public:
- bool isValid(string s) {
- stack<char>st;
- int len = s.size();
- if(len%2!=0) return false;
- for(int i=0;i<len;i++){
- if(s[i]=='(') st.push(')');
- else if(s[i]=='[') st.push(']');
- else if(s[i]=='{') st.push('}');
- else if(st.empty()||s[i]!=st.top()) return false;
- else st.pop();
- }
- return st.empty();
- }
- };
1047. 删除字符串中的所有相邻重复项 - 力扣(LeetCode)
设计一个栈存储元素,当插入元素和栈顶元素相同时,栈顶元素弹出,否则将新元素插入进去。注意当栈为空时要单独考虑,否则会存在空指针的情况。
- class Solution {
- public:
- string removeDuplicates(string s) {
- stack<char>st;
- for(int i=0;i<s.size();i++){
- if(st.empty()){
- st.push(s[i]);
- }
- else{
- if(s[i]==st.top()){
- st.pop();
- }
- else st.push(s[i]);
- }
- }
- string ans;
- while(!st.empty()){
- ans+=st.top();
- st.pop();
- }
- reverse(ans.begin(),ans.end());
- return ans;
- }
- };
类似于删除字符串的相邻重复项,当新插入元素为运算符号时,将栈顶两个元素弹出,之后进行相应的计算,之后再把该计算结果压入栈内。最后返回栈顶元素。
- class Solution {
- public:
- int evalRPN(vector<string>& tokens) {
- int len = tokens.size();
- stack<int>st;
- for(int i=0;i<len;i++){
- if(tokens[i]=="+"||tokens[i]=="-"||tokens[i]=="*"||tokens[i]=="/"){
- int b = st.top();
- st.pop();
- int a = st.top();
- st.pop();
- if(tokens[i]=="+") st.push(a+b);
- else if(tokens[i]=="-") st.push(a-b);
- else if(tokens[i]=="/") st.push(a/b);
- else if(tokens[i]=="*") st.push(a*b);
- }
- else{
- st.push(stoi(tokens[i]));
- }
- }
- return st.top();
- }
- };
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。