20. Valid Parentheses

来源:互联网 发布:淘宝2017虚假交易处罚 编辑:程序博客网 时间:2024/06/06 18:53

Description:

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.


Solution:

1. How to match?

Use Stack to match.

Every time you input a ( , [ or { , you can push a ) , ] or } into the stack to match later.

Also, we need to check the null at last. // return stack.isEmpty();


Code:

public boolean isValid(String s) {Stack<Character> stack = new Stack<Character>();for (char c : s.toCharArray()) {if (c == '(')stack.push(')');else if (c == '{')stack.push('}');else if (c == '[')stack.push(']');else if (stack.isEmpty() || stack.pop() != c)return false;}return stack.isEmpty();}

Lesson learned:

1. Stack

2. Check the null.

原创粉丝点击