import java.util.*;
import java.lang.Iterable;

public class MyStackArray <Item> implements Iterable<Item> {
private Item I[];
        private int top;
        private int size;
        private final static int DEFAULT_SIZE = 10;

public MyStackArray () {
        this(DEFAULT_SIZE);
}

public MyStackArray (int capacity) {
        size = capacity;
        I = (Item[]) new Object [capacity];
        top = -1;
}

public Item getTop() {
        if (isEmpty())
            return null;
        return I[top];
}

public boolean isEmpty() {
        return (top == -1);
}

public boolean isFull() {
        return (top == I.length - 1);
}

public Item pop() throws EmptyStackException {
        if (isEmpty())
            throw new EmptyStackException ();
        Item item = I[top];
        I[top--] = null;
        if(top> 0 && top== I.length / 4)
            resize(I.length/2);
        return item;
}

public void push(Item item) throws FullStackException {
        if (isFull())
            throw new FullStackException ();
        if (top== I.length - 1)
            resize(2 * I.length);
        I[++top] = item;
}

public int size() {
        return (top+ 1);
}

private void resize (int newCapacity) {
        Item t[] = (Item[]) new Object[newCapacity];
        for (int i = 0; i <= top; i++)
            t[i] = I[i];
        I = t;
}

public Iterator<Item> iterator() {
        return new MyStackArrayIterator();
}

private class MyStackArrayIterator implements Iterator <Item> {
        private int i = top;

        public boolean hasNext() {
            return (i > -1);
        }

        public Item next() {
            return I[i--];
        }

        public void remove() {
           throw new UnsupportedOperationException();
        }
    }
}


那是使用通用方法的Stack的代码。
对于isEmpty,一切都进行得很顺利,但例外是有效的。

public boolean isFull() {
            return (top == I.length - 1);
}


我应该更改isFull()和push()异常可以正常工作的什么?
在驱动程序类中,我尝试在元素的最大值为5时推送5个元素。

push("A");push("B");push("C");push("D");push("E");

size() = 5, getTop() = E


然后我再推一个元素,我的例外是说堆栈已满。

size() = 5, getTop() = E


所以,我弹出了所有这些。

Size = 0, getTop = null


我推了三个要素,

push("F");push("G");push("H");


但是程序说堆栈已经满了,最多只能有5个元素。我该如何解决?

最佳答案

当您弹出大多数元素时(pop),您的top== I.length / 4方法将堆栈的容量减半。

您的push方法应该在必要时增加容量,但是isFull()阻止这样做(因为与isFull()检查-(top == I.length - 1)-相同的条件也可以确定何时应该增加容量) 。

如果您支持增加容量,isFull()是什么意思?容量是固定的,在这种情况下,您永远不要更改它;或者容量不是固定的,在这种情况下,isFull()应该始终返回false。

07-26 09:27