我新建的个人博客,欢迎访问:hmilzy.github.io
20. 有效的括号
题目链接: 有效的括号
遍历整个字符串,若碰到任意一个左括号,则将对应的右括号放入栈中。
若碰到的是右括号,若右括号和栈顶元素括号不相等,则直接返回false;
若遍历中,发现栈里已经没有元素了,自然就不能再出栈,也返回false。(其实等同于右括号太多了的情况)
若碰到右括号,且右括号与栈顶元素相互匹配,则将栈顶元素出栈。
遍历完之后,要知道是否有多余的括号,则判断一下栈是否为空,若为空,则true。 (等同于左括号太多了的情况)
有多种情况:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24
| class Solution { public boolean isValid(String s) { Deque<Character> deque = new LinkedList<>(); char ch; for (int i = 0; i < s.length(); i++) { ch = s.charAt(i); if (ch == '(') { deque.push(')'); }else if (ch == '{') { deque.push('}'); }else if (ch == '[') { deque.push(']'); } else if (deque.isEmpty() || deque.peek() != ch) { return false; }else { deque.pop(); } } return deque.isEmpty(); } }
|
1047. 删除字符串中的所有相邻重复项
题目链接: 删除字符串中的所有相邻重复项
放入栈,跟上一题思路相似
但是这样好像复杂度不太行,需要改进
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
| class Solution { public String removeDuplicates(String s) { Stack<Character> stack = new Stack<>(); char ch; for(int i = 0; i < s.length(); i++) { ch = s.charAt(i); if(stack.isEmpty() || stack.peek() != ch) { stack.push(ch); }else { stack.pop(); } } String str = ""; while(!stack.isEmpty()) { str = stack.pop() + str; } return str; } }
|
150. 逆波兰表达式求值
题目链接: 逆波兰表达式求值
数字就放入栈,符号就从栈中取数字进行运算。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21
| class Solution { public int evalRPN(String[] tokens) { Deque<Integer> stack = new LinkedList(); for (String s : tokens) { if ("+".equals(s)) { stack.push(stack.pop() + stack.pop()); } else if ("-".equals(s)) { stack.push(-stack.pop() + stack.pop()); } else if ("*".equals(s)) { stack.push(stack.pop() * stack.pop()); } else if ("/".equals(s)) { int temp1 = stack.pop(); int temp2 = stack.pop(); stack.push(temp2 / temp1); } else { stack.push(Integer.valueOf(s)); } } return stack.pop(); } }
|