Java中的简单堆栈实现无法正常工作

时间:2012-04-28 10:04:25

标签: java netbeans stack

我在Java中实现了一个非常基本的Stack,它给出了前所未有的奇怪错误。 代码如下:

public class Stack {
Node top;
int size;

public Stack() {top=null; size=0;}

public int pop() {
    if(top!=null) {
        int item = top.data;
        top = top.next;
        size--;
        return item;
    }
    return -1;
}

public void push(int data) {
    Node t = new Node(data);
    t.next = this.top;
    this.top = t;
    size++;
}

public boolean isEmpty() {
    return size<=0 ;
}

public int getSize() {
    return size;
}

public int peek() {
    return top.data;
}

public void printStack() {
    Node n = this.top;
    int pos = this.getSize();
    while(pos>=0) {
        System.out.println("Position: " + pos + " Element: " + n.data);
        if(pos>0) {
            n = n.next;
        }
        pos--;
    }
}
}

class Node {
public int data;
public Node next;

Node(int d) {data=d; next=null;}

public int getData() {return data;}
}

class Tester {
public static void main(String[] args) {
    Stack s = new Stack();
    s.push(9);s.push(2);s.push(7);s.push(3);s.push(6);s.push(4);s.push(5);
    System.out.println("Size is: " + s.getSize());
    //s.printStack();
    for (int i=0; i<s.getSize(); i++) {
        System.out.print(s.pop()+ " ");
    }
    System.out.println();
}
}

我已经进行了彻底测试,发现推送操作与正确顺序推送的所有7个元素完美配合,并设置了正确的next / top指针。 但是,当我试图弹出所有元素时,只有它弹出前4(5-4-6-3)而留下其他元素。 然后,我尝试使用上面的方法执行printStack,并在那里给出随机的NullPointerException错误,如下所示:

run:
Position: 7 Element: 5
Position: 6 Element: 4
Position: 5 Element: 6
Position: 4 Element: 3
Exception in thread "main" java.lang.NullPointerException
Position: 3 Element: 7
Position: 2 Element: 2
    at Stack.printStack(Stack.java:58)
Position: 1 Element: 9
    at Tester.main(Stack.java:95)
Java Result: 1
BUILD SUCCESSFUL (total time: 0 seconds)

这些错误对我来说没有意义,而且通过在push()和printStack()中引入更多的print语句来跟踪它会开始抛出更多的随机异常。 每次运行的错误都是完全不确定的,并在不同的机器中提供不同的模式。 我用Netbeans调试器跟踪了一次完整的运行,发现没有错误!

非常感谢您的帮助! 谢谢!

3 个答案:

答案 0 :(得分:2)

首先使用printStack()方法:

while (pos > 0) {

而不是

while (pos >= 0) {

因为您的0位置始终为null

并在主要:

int size = s.getSize();
for (int i = 0; i < size; i++)

而不是

for (int i = 0; i < s.getSize(); i++)

因为你的堆栈大小随着每次迭代而减少。

答案 1 :(得分:0)

for (int i=0; i<s.getSize(); i++) 

导致每个弹出窗口的堆栈大小减少,每次弹出都会增加。当它完成4次弹出时,堆栈大小等于i的值。因此,打印堆栈停在中间。

使用以下

替换上面的for循环
for (; !s.isEmpty();) 

将解决问题。

答案 2 :(得分:0)

printStack()失败,因为您没有检查n是否为null。以下代码修复了此问题。

`public void printStack(){         节点n = this.top;         int pos = this.getSize();

    System.out.println("Stack Size is " + pos);
    while(n!=null) {
        System.out.println("Position: " + pos + " Element: " + n.data);
            n = n.next;
        pos--;
    }
}`