我已经用 Java 实现了一个非常基本的堆栈,它给出了以前从未遇到过的奇怪错误。代码如下:
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() 中引入更多打印语句来跟踪它开始引发更多随机异常。每次运行的错误都是完全不确定的,并且在不同的机器上给出了不同的模式。我用 Netbeans 调试器跟踪了一次完整的运行,没有发现任何错误!
非常感谢您的帮助!谢谢!