LeetCode-20. 有效的括號(棧模擬)

kewlgrl發表於2018-04-30

20. 有效的括號


給定一個只包括 '('')''{''}''['']' 的字串,判斷字串是否有效。

有效字串需滿足:

  1. 左括號必須用相同型別的右括號閉合。
  2. 左括號必須以正確的順序閉合。

注意空字串可被認為是有效字串。

示例 1:

輸入: "()"
輸出: true

示例 2:

輸入: "()[]{}"
輸出: true

示例 3:

輸入: "(]"
輸出: false

示例 4:

輸入: "([)]"
輸出: false

示例 5:

輸入: "{[]}"
輸出: true

C





#include<bits/stdc++.h>
using namespace std;
/********************提交程式碼********************/
bool isValid(char* s)
{
    char sta[10000];//注意開大一點
    int i,cnt=0,len=strlen(s);
    if(len%2) return false;//奇數
    for(i=0;i<len;++i)
    {
        if(s[i]=='('||s[i]=='['||s[i]=='{')//左括號
           sta[cnt++]=s[i];//入棧
        else if(s[i]==')'||s[i]==']'||s[i]=='}')//右括號
        {
            if(cnt==0) return false;//防止下標越界
            if((sta[cnt-1]=='('&&s[i]==')')||(sta[cnt-1]=='['&&s[i]==']')||(sta[cnt-1]=='{'&&s[i]=='}'))
                --cnt;//匹配出棧
            else return false;//不匹配
        }
    }
    if(cnt==0) return true;
    return false;
}
/***************************************************/
int main()
{
#ifdef ONLINE_JUDGE
#else
    freopen("F:/cb/read.txt","r",stdin);
    //freopen("F:/cb/out.txt","w",stdout);
#endif
    ios::sync_with_stdio(false);
    cin.tie(0);
    char s[2000];
    while(cin>>s)
    {
        cout<<isValid(s)<<endl;
    }
    return 0;
}

遍歷字串,遇到左括號入棧,遇到右括號和棧頂元素比較是否成對匹配:

若匹配則出棧;反之則整個字串不滿足匹配。

只有遍歷到最後棧為空則整個字串滿足匹配。

測試用例:

((
[
(}
({
()
()[]{}
(]
([)]
{[]}

相關文章