leetcode20-valid parenthese

题目: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。
思路:本题是括号匹配问题,用栈就可以实现。只要找出不匹配的所有情况,分别处理即可。我们会发现共有三种情况:

  1. 对口形状不对:(]、([)]
  2. 括号右多:())
  3. 括号左多:(()
    栈和单链表很像,采用头插法建立单链表其实就是在建栈。出栈pop(),进栈push()、读取栈顶元素peek()都是对头结点后的第一个节点进行操作。
    leetcode20-valid parenthese_第1张图片

测试通过代码:Your runtime beats 54.59% of javasubmissions

public class Solution{
    char data;
    Solution next;
    public Solution (){
        this.next=null;
        this.data=0;
    }
    boolean empty(Solution s){
        if(s.next==null) return true;
        else return false;

    }

    //创建栈,代码没有用到
    /* void creatStacklist(Solution s, String str){ for(int i=0;i<str.length();i++){ Solution lnode=new Solution(); lnode.data=str.charAt(i); lnode.next=s.next; s.next=lnode; } Solution p=s.next; while(p!=null){ System.out.println(p.data); p=p.next; } } */

        //进栈操作
        void push(Solution s, char data){
        Solution  lnode =new Solution ();
        lnode.data=data;
        lnode.next=s.next;
        s.next=lnode;

    }
        //出栈操作
    boolean pop(Solution  s){
        if(s.empty(s)) return false;
        else {
            Solution  p=new Solution ();
            p=s.next;
            s.next=p.next;
            return true;
            }
    }
    //读取栈顶元素
    char peek(Solution  s){
        char x = 0;
        if(s.empty(s)) System.out.println("stack empty");
        else{
            x=s.next.data;
        }
        return x;
    }
    //主函数
    public boolean isValid(String str) {
            Solution  s=new Solution();
        char[]a=str.toCharArray();
        s.push(s,a[0]);
        for(int i=1;i<a.length;i++){
            if(a[i]=='('||a[i]=='['||a[i]=='{')
            s.push(s, a[i]);
            else{
                if(s.empty(s)) return false;
                else{
                char tmp=s.peek(s);
                if((tmp=='('&&a[i]==')')||(tmp=='['&&a[i]==']')||(tmp=='{'&&a[i]=='}')){
                    s.pop(s);
                }
                else{
                    return false;
                }
            }
                }
        }

        if(s.empty(s)){
        return true;
        }
        else {
            return false;

        }
    }
}

你可能感兴趣的:(leetcode20-valid parenthese)