代码随想录
给定一个只包括 ‘(’,‘)’,‘{’,‘}’,‘[’,‘]’ 的字符串,判断字符串是否有效。
有效字符串需满足:
左括号必须用相同类型的右括号闭合。
左括号必须以正确的顺序闭合。
注意空字符串可被认为是有效字符串。
示例 1:
输入: “()”
输出: true
示例 2:
输入: “()[]{}”
输出: true
示例 3:
输入: “(]”
输出: false
示例 4:
输入: “([)]”
输出: false
思路:匹配失败的情况是
1、字符串长度为奇数时肯定匹配失败
2、多左括号 例如 ((){}[](
3、左右不匹配 例如 {(})
4、多右括号 例如 ({[]})))
方法:引入栈,如果当前为左括号就入栈右括号,否则当前遍历元素与弹出的栈顶元素进行匹配,若匹配失败则 返回false;
在多左括号的情况下就是最后栈中还剩右括号,则也是失败;
在多右括号的情况下就是在遍历过程中栈为空了,则也是失败;
public boolean isValid(String s) {
Stack<Character> stack = new Stack<>();
if(s.length()%2!=0){
return false;
}
for(int i = 0;i<s.length();i++){
char ch = s.charAt(i);
if(ch=='('){
stack.push(')');
}
else if(ch=='{'){
stack.push('}');
}
else if(ch=='['){
stack.push(']');
//多右括号的情况下就是在遍历过程中栈为空了
// 当前遍历元素与弹出的栈顶元素匹配失败
}else if(stack.isEmpty()||ch!=stack.pop()){
return false;
}
}
return stack.isEmpty();
}
给出由小写字母组成的字符串 S,重复项删除操作会选择两个相邻且相同的字母,并删除它们。
在 S 上反复执行重复项删除操作,直到无法继续删除。
在完成所有重复项删除操作后返回最终的字符串。答案保证唯一。
示例:
输入:“abbaca”
输出:“ca”
解释:例如,在 “abbaca” 中,我们可以删除 “bb” 由于两字母相邻且相同,这是此时唯一可以执行删除操作的重复项。之后我们得到字符串 “aaca”,其中又只有 “aa” 可以执行重复项删除操作,所以最后的字符串为 “ca”。
提示:
1 <= S.length <= 20000
S 仅由小写英文字母组成。
我都想法:遍历字符串,若当前遍历的元素与栈顶元素相同,则弹出栈顶元素,否则就入栈;最后输入栈中元素的时候,又要翻转字符串一次。因此有些麻烦
public String removeDuplicates(String s) {
StringBuilder sb = new StringBuilder();
if(s.length()<2){
return s;
}
Stack<Character> stackS = new Stack<>();
for(int i =0;i<s.length();i++){
char ch =s.charAt(i);
if(!stackS.isEmpty() && ch==stackS.peek()){
stackS.pop();
continue;
}
stackS.push(ch);
}
while(!stackS.isEmpty()){
sb.append(stackS.pop());
}
reverseString(sb,0,sb.length()-1);
return sb.toString();
}
public void reverseString(StringBuilder sb,int start,int end) {
while(start<end){
char temp = sb.charAt(start);
sb.setCharAt(start,sb.charAt(end));
sb.setCharAt(end,temp);
start++;
end--;
}
}
根据 逆波兰表示法,求表达式的值。
有效的运算符包括 + , - , * , / 。每个运算对象可以是整数,也可以是另一个逆波兰表达式。
说明:
整数除法只保留整数部分。 给定逆波兰表达式总是有效的。换句话说,表达式总会得出有效数值且不存在除数为 0 的情况。
示例 1:
输入: [“2”, “1”, “+”, “3”, " * "]
输出: 9
解释: 该算式转化为常见的中缀算术表达式为:((2 + 1) * 3) = 9
示例 2:
输入: [“4”, “13”, “5”, “/”, “+”]
输出: 6
解释: 该算式转化为常见的中缀算术表达式为:(4 + (13 / 5)) = 6
思路:遇到数字则入栈;遇到运算符则取出栈顶两个数字进行计算,并将结果压入栈中。
注意 - 和/ 需要特殊处理
public int evalRPN(String[] tokens) {
Stack<Integer> stack = new Stack<>();
for(int i =0;i<tokens.length;i++){
if(tokens[i].equals("+")){
int a = stack.pop();
int b = stack.pop();
int result = a+b;
stack.push(result);
}
else if(tokens[i].equals("-")){
int a = stack.pop();
int b = stack.pop();
int result = -a+b;
stack.push(result);
}
else if(tokens[i].equals("*")){
int a = stack.pop();
int b = stack.pop();
int result = a*b;
stack.push(result);
}
else if(tokens[i].equals("/")){
int a = stack.pop();
int b = stack.pop();
int result = b/a;
stack.push(result);
}else{
stack.push(Integer.valueOf(tokens[i]));
}
}
return stack.pop();
}