LeetCodeAnimation/0020-Valid-Parentheses/Article/0020-Valid-Parentheses.md
程序员吴师兄 fb2465e289 整理部分文件
2020-04-16 20:50:43 +08:00

113 lines
2.4 KiB
Java
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

# LeetCode 20 号问题有效的括号
> 本文首发于公众号图解面试算法 [图解 LeetCode ](<https://github.com/MisterBooo/LeetCodeAnimation>) 系列文章之一。
>
> 同步博客https://www.algomooc.com
题目来源于 LeetCode 上第 20 号问题有效的括号题目难度为 Easy目前通过率为 37.8%
### 题目描述
给定一个只包括 `'('``')'``'{'``'}'``'['``']'` 的字符串判断字符串是否有效
有效字符串需满足
1. 左括号必须用相同类型的右括号闭合
2. 左括号必须以正确的顺序闭合
注意空字符串可被认为是有效字符串
**示例 1:**
```
输入: "()"
输出: true
```
**示例 2:**
```
输入: "()[]{}"
输出: true
```
**示例 3:**
```
输入: "(]"
输出: false
```
**示例 4:**
```
输入: "([)]"
输出: false
```
**示例 5:**
```
输入: "{[]}"
输出: true
```
### 题目解析
这道题让我们验证输入的字符串是否为括号字符串包括大括号中括号和小括号
这里我们使用****
- 遍历输入字符串
- 如果当前字符为左半边括号时则将其压入栈中
- 如果遇到右半边括号时**分类讨论**
- 1如栈不为空且为对应的左半边括号则取出栈顶元素继续循环
- 2若此时栈为空则直接返回false
- 3若不为对应的左半边括号反之返回false
### 动画描述
![](https://blog-1257126549.cos.ap-guangzhou.myqcloud.com/blog/xu55u.gif)
### 代码实现
```
class Solution {
public:
bool isValid(string s) {
stack<char> stack;
for( int i = 0 ; i < s.size() ; i ++ )
if( s[i] == '(' || s[i] == '{' || s[i] == '[')
stack.push(s[i]);
else{
if( stack.size() == 0 )
return false;
char c = stack.top();
stack.pop();
char match;
if( s[i] == ')' ){
match = '(';
}
else if( s[i] == ']' ){
match = '[';
}
else{
match = '{';
}
if(c != match) return false;
}
if( stack.size() != 0 )
return false;
return true;
}
};
```
![](../../Pictures/qrcode.jpg)