问题描述:
Given a string containing just the characters ‘(‘, ‘)’, ‘{‘, ‘}’, ‘[’ and ‘]’, determine if the input string is valid.
The brackets must close in the correct order, “()” and “()[]{}” are all valid but “(]” and “([)]” are not.
中文大意:
括号是否匹配,可以理解为平时算术式子中,各个括号是否合理。此处不考虑小括号必须在中括号内、中括号必须在大括号内的标准。
eg:(())、([])、{([])}等合理。(}、[(])等不合理。
解题思路:
将()【】{}括号对存入map。
new一个栈,存key值。(注意栈里只可能是左括号)
从前往后扫描。如果比较为key值(即左括号“(”“[”“{”),则入栈;否则(即右括号“)”“]”“}”)比较该值,是否与map中该值对应的key值相等,是则pop出栈,否则返回false。(如何比较比较巧妙,看代码)
最后栈为空则ture,否则证明左右括号数量不一致,返回false。
代码:
package LeetCode;
import java.util.HashMap;
import java.util.Map;
import java.util.Scanner;
import java.util.Stack;
public class L020_Valid_Parentheses {
public static void main(String[] args) {
Scanner in = new Scanner(System.in);
String s = in.nextLine();
L020_Valid_Parentheses vp = new L020_Valid_Parentheses();
System.out.println(vp.isValid(s));
}
public boolean isValid(String s){
Map m = new HashMap();
m.put('[', ']');
m.put('{', '}');
m.put('(', ')');
Stack sta = new Stack();
for(int i=0;ichar c = s.charAt(i);
if(m.containsKey(c))
sta.push(c);
else if(!sta.isEmpty()&&c==m.get(sta.peek())){//比较方式巧妙
sta.pop();
}
else return false;
}
return sta.isEmpty();
}
}