2018年10月31日

栈是一种后进先出(LIFO)的数据结构,如同摞书本一样,最先放的书本是最后才会拿到:


栈的数组实现

public class ArrayStack<Item> implements Iterable<Item> {
    private Item[] a = (Item[]) new Object[1];
    private int N;

    public boolean isEmpty() {
        return N == 0;
    }

    public int size() {
        return N;
    }

    public void push(Item item) {
        if (N == a.length) {
            resize(2 * a.length);
        }
        a[N++] = item;
    }

    public Item pop() {
        if (isEmpty()) {
            throw new NoSuchElementException("Stack underflow");
        }
        Item item = a[--N];
        a[N] = null;
        if (N > 0 && N == a.length / 4) {
            resize(a.length / 2);
        }
        return item;
    }

    private void resize(int max) {
        Item[] temp = (Item[]) new Object[max];
        for (int i = 0; i < N; i++) {
            temp[i] = a[i];
        }
        a = temp;
    }

    @Override
    public Iterator<Item> iterator() {
        return new ReverseArrayIterator();
    }

    private class ReverseArrayIterator implements Iterator<Item> {
        private int i = N;

        @Override
        public boolean hasNext() {
            return i > 0;
        }

        @Override
        public Item next() {
            if (!hasNext()) {
                throw new NoSuchElementException();
            }
            return a[--i];
        }

        @Override
        public void remove() {
            
        }
    }
}

以上的实现中当栈中容量与数组容量相等时,会进行扩容;当栈中容量为数组容量四分之一时,会进行缩容,具体操作如下图:


  • 最好时间复杂度:最理想的情况下,当前栈中元素数量比数组的容量小,此时就直接执行代码块a[N++] = item;,即此时的时间复杂度为 O(1)

  • 最坏时间复杂度:最糟糕的情况下,当前栈中元素数量与数组的容量相等,此时就要执行resize方法进行扩容了,进入循环体,执行N次复制操作,此时的时间复杂度为 O(N)

  • 平均时间复杂度

    • 当栈中元素小于数组容量时,此时进行压栈就有N种情况,且每种情况的时间复杂度为 O(1);当栈中元素与数组容量相等时,此时进行压栈就只有一种情况了,要进行扩容操作,这种情况的时间复杂度为 O(N);则总共有N+1中情况,对其取平均值:
      \cfrac{1+1+1+...+1+N}{N+1}=\cfrac{2N}{N+1}
      在大 O标记法中,可以省略系数与低阶项,所以其平均时间复杂度为 O(1)

    • 下面使用概率来分析,由于有N+1中情况,每种情况的发生概率为 \frac{1}{N+1},则其平均时间复杂度为:
      1\times\frac{1}{N+1}+1\times\frac{1}{N+1}+...+1\times\frac{1}{N+1}+N\times\frac{1}{N+1}=O(1)

  • 均摊时间复杂度:根据上述代码,每出现一次扩容操作时,即此时压栈的时间复杂度为 O(N),那么后面的N次压栈操作的时间复杂度均为 O(1),前后是连贯的,因此将 O(N)平摊到前N次上,得出均摊时间复杂度为 O(1)

栈的链表实现

public class ListStack<Item> implements Iterable<Item> {
    private Node first;
    private int N;

    private class Node {
        Item item;
        Node next;
    }

    public void push(Item item) {
        Node oldFirst = first;
        first = new Node();
        first.item = item;
        first.next = oldFirst;
        N++;
    }

    public Item pop() {
        if (isEmpty()) {
            throw new NoSuchElementException();
        }
        Item item = first.item;
        first = first.next;
        N--;
        return item;
    }

    public Item peek() {
        if (isEmpty()) {
            throw new NoSuchElementException();
        }
        return first.item;
    }

    public boolean isEmpty() {
        return first == null;
    }

    public int size() {
        return N;
    }

    @Override
    public Iterator<Item> iterator() {
        return new ListIterator();
    }

    private class ListIterator implements Iterator<Item> {
        private Node current = first;

        @Override
        public boolean hasNext() {
            return current != null;
        }

        @Override
        public Item next() {
            Item item = current.item;
            current = current.next;
            return item;
        }

        @Override
        public void remove() {

        }
    }
}

push操作如图:

pop操作如图:

整体操作如下:


栈的应用

1,括号匹配

每个左括号必然对应其右括号,如[()]就是合法的,而[(])就是错误的;这个程序可以用栈来实现:

定义一个空栈,读入字符,如果字符是一个左括号,则将其压入栈中。如果字符是一个右括号,则当栈空时报错,否则,将栈顶元素弹出,如果弹出的字符不是对应的左括号,则报错。若全部字符读完后,栈不为空则报错。

    public static boolean isComplete(String str) {
        if (str.length() == 0) {
            return false;
        }
        Deque<Character> sta = new ArrayDeque<>();
        for (int i = 0; i < str.length(); i++) {
            if (str.charAt(i) == '[') {
                sta.push('[');
            }
            if (str.charAt(i) == '(') {
                sta.push('(');
            }
            if (str.charAt(i) == '{') {
                sta.push('{');
            }
            if (str.charAt(i) == ']') {
                if (sta.isEmpty()) {
                    return false;
                }
                if (sta.pop() != '[') {
                    return false;
                }
            }
            if (str.charAt(i) == ')') {
                if (sta.isEmpty()) {
                    return false;
                }
                if (sta.pop() != '(') {
                    return false;
                }
            }
            if (str.charAt(i) == '}') {
                if (sta.isEmpty()) {
                    return false;
                }
                if (sta.pop() != '{') {
                    return false;
                }
            }
        }

2,后缀(逆波兰)表达式

中缀表达式就是我们常见的表达式,如:
6*(5+(2+3)*8+3)

而后缀表达式的表示形式为:
6\ 5\ 2\ 3+8*+3+*

前缀表达式的表示形式为:
* 6 + + 5 * + 2\ 3\ 8\ 3

在计算机中,利用后缀表达式进行计算没有必要知道任何优先规则,使用后缀表达式计算的过程及其程序:


    private static Pattern ISNUMBER = Pattern.compile("[0-9]+");

    /**
     * 计算后缀表达式:2 3 * 2 1 - / 3 4 1 - * +
     * 其中缀表达式:2 * 3 / ( 2 - 1 ) + 3 * ( 4 - 1 )
     * 将数字压栈,一遇到运算符就将其取出运算,结果再压入栈
     */
    public static void evaluatePostFix() {
        String str = "2 3 * 2 1 - / 3 4 1 - * +";
        String[] strings = str.split("\\s+");
        Stack<Integer> sta = new Stack<>();
        for (String s : strings) {
            if (ISNUMBER.matcher(s).matches()) {
                sta.push(Integer.parseInt(s));
            } else {
                int n1 = sta.pop();
                int n2 = sta.pop();
                int n3 = 0;
                if (s.equals("+")) {
                    n3 = n2 + n1;
                } else if (s.equals("-")) {
                    n3 = n2 - n1;
                } else if (s.equals("*")) {
                    n3 = n2 * n1;
                } else if (s.equals("/")) {
                    n3 = n2 / n1;
                }
                sta.push(n3);
            }
        }
        System.out.println(sta.pop());
    }

前缀式求值是先将前缀式逆序,后通过后缀式求值的方法,求值。但要注意的是操作数的运算顺序是与后缀表达式相反的。举个例子:
中缀表达式8-7;后缀表达式为87-,前缀表达式为-87,前缀表达式逆序78-,左操作数为8,右操作数为7

    private static Pattern ISNUMBER = Pattern.compile("[0-9]+");
    /**
     * 计算前缀表达式:+ / * 2 3 - 2 1 * 3 - 4 1
     * 其中缀表达式为:2 * 3 / ( 2 - 1 ) + 3 * ( 4 - 1 )
     * 先将其反转,将数字压入栈,一遇到运算符就取出数字计算,将计算结果压入栈
     */
    public static void evaluatePreFix() {
        String str = "+ / * 2 3 - 2 1 * 3 - 4 1";
        String[] strings = str.split("\\s+");
        for (int i = 0; i < strings.length / 2; i++) {
            String temp = strings[i];
            strings[i] = strings[strings.length - i - 1];
            strings[strings.length - i - 1] = temp;
        }
        Stack<Integer> sta = new Stack<>();
        for (String s : strings) {
            if (ISNUMBER.matcher(s).matches()) {
                sta.push(Integer.parseInt(s));
            } else {
                int n1 = sta.pop();
                int n2 = sta.pop();
                int n3 = 0;
                if (s.equals("+")) {
                    n3 = n1 + n2;
                } else if (s.equals("-")) {
                    n3 = n1 - n2;
                } else if (s.equals("*")) {
                    n3 = n1 * n2;
                } else if (s.equals("/")) {
                    n3 = n1 / n2;
                }
                sta.push(n3);
            }
        }
        System.out.println(sta.pop());
    }

如何将中缀表达式转化为后缀表达式?
假设中缀表达式:
a+b*c+(d*e+f)*g

后缀表达式为:
abc*+de*f+g*+

过程如下:


程序如下:

    /**
     * 利用正则表达式判断是否为整数
     * 以下只能匹配非负整数
     */
    private static Pattern ISNUMBER = Pattern.compile("[0-9]+");

    /**
     * 将中缀表达式转为后缀表达式
     * 结果为:2 3 * 2 1 - / 3 4 1 - * +
     */
    public static void infixToPostfix() {
        String str = "2 * 3 / ( 2 - 1 ) + 3 * ( 4 - 1 )";
        String[] strings = str.split("\\s+");
        Stack<String> sta = new Stack<>();
        StringBuffer sb = new StringBuffer();
        for (String s : strings) {
            if (ISNUMBER.matcher(s).matches()) {
                sb.append(s + " ");
            } else {
                switch (s) {
                    case ")":
                        while (!sta.isEmpty() && (!"(".equals(sta.peek()))) {
                            sb.append(sta.pop() + " ");
                        }
                        sta.pop();
                        break;
                    case "(":
                        sta.push(s);
                        break;
                    case "^":
                        while (!sta.isEmpty() && (!("^".equals(sta.peek()) ||
                                "(".equals(sta.peek())))) {
                            sb.append(sta.pop());
                        }
                        sta.push(s);
                        break;
                    case "*":
                    case "/":
                        while (!sta.isEmpty() && (!"+".equals(sta.peek())) &&
                                (!"-".equals(sta.peek())) && (!"(".equals(sta.peek()))) {
                            sb.append(sta.pop()+" ");
                        }
                        sta.push(s);
                        break;
                    case "+":
                    case "-":
                        while (!sta.isEmpty() && (!"(".equals(sta.peek()))) {
                            sb.append(sta.pop() + " ");
                        }
                        sta.push(s);
                        break;
                    default:
                }
            }
        }
        while (!sta.isEmpty()) {
            sb.append(sta.pop()+" ");
        }
        System.out.println(sb.toString());
    }

将中缀表达式转为前缀表达式,要先将其反转,当栈中数据全部弹出后,再将其反转即可:

    /**
     * 将中序表达式转为前序表达式
     * 首先将其反转,将运算符压栈,遇到(就弹出
     * 结果为:+/*23-21*3-41
     */
    public static void infixToPrefix() {
        String str = "2 * 3  / ( 2 - 1 ) + 3 * ( 4 - 1 )";

        String[] strings = str.split("\\s+");
        for (int i = 0; i < strings.length / 2; i++) {
            String temp = strings[i];
            strings[i] = strings[strings.length - i - 1];
            strings[strings.length - i - 1] = temp;
        }
        System.out.println(Arrays.toString(strings));
        Stack<String> sta = new Stack<>();
        StringBuffer sb = new StringBuffer();
        for (String s : strings) {
            if (ISNUMBER.matcher(s).matches()) {
                sb.append(s + " ");
            } else {
                switch (s) {
                    case "(":
                        while (!sta.isEmpty() && (!")".equals(sta.peek()))) {
                            sb.append(sta.pop() + " ");
                        }
                        sta.pop();
                        break;
                    case ")":
                        sta.push(s);
                        break;
                    case "^":
                        while (!sta.isEmpty() && (!("^".equals(sta.peek()) ||
                                "(".equals(sta.peek())))) {
                            sb.append(sta.pop());
                        }
                        sta.push(s);
                        break;
                    case "*":
                    case "/":
                        sta.push(s);
                        break;
                    case "+":
                    case "-":
                        while (!sta.isEmpty() && (!")".equals(sta.peek()))) {
                            sb.append(sta.pop() + " ");
                        }
                        sta.push(s);
                        break;
                    default:
                }
            }
        }
        while (!sta.isEmpty()) {
            sb.append(sta.pop() + " ");
        }
        System.out.println(sb.reverse().toString());
    }
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 204,732评论 6 478
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 87,496评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 151,264评论 0 338
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,807评论 1 277
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,806评论 5 368
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,675评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,029评论 3 399
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,683评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 41,704评论 1 299
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,666评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,773评论 1 332
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,413评论 4 321
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,016评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,978评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,204评论 1 260
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,083评论 2 350
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,503评论 2 343

推荐阅读更多精彩内容