这是关于StackOverflow上的Stack的问题。
我的问题可能看起来非常模糊,但如果你查看我写的程序,那么你可能会理解我想问的问题。 我自己实现了堆栈。我向用户提供了3种选择。推,弹出和查看堆栈。当调用视图(显示)方法时,那么一堆0显示而不是什么。除非我们把东西放在上面,否则我们知道堆栈什么也没有。但是由于我实现的堆栈是使用数组的整数堆栈,因此调用时的显示方法显示一堆0(数组中的整数的默认值)。如何显示任何内容而不是0。我知道我可以为空白字符添加ASCII,但我认为它仍然会违反堆栈规则(当没有元素时,堆栈应该是空的,甚至不是空格代码)。
这是我的计划:
import java.util.Scanner;
public class StackClass
{
public static void main(String []args)
{
Scanner input=new Scanner(System.in);
int choice=0;
int push;
Stack stack=new Stack();
do
{
System.out.println("Please select a stack operation:\n1. Press 1 for adding to stack\n2. Press 2 for removing elements from stack\n3. View the stack");
choice=input.nextInt();
switch(choice)
{
case 1:
System.out.println("Please enter the number that you want to store to stack");
push=input.nextInt();
stack.push(push);
case 2:
stack.pop();
case 3:
stack.display();
}
}
while((choice==1)||(choice==2)||(choice==3));
}
}
class Stack
{
private int size;
private int[] stackPlaces=new int[15];
private int stackIndex;
Stack()
{
this.size=0;
this.stackIndex=0;
}
public void push(int push)
{
if(size<15)
{
stackPlaces[stackIndex]=push;
size++;
stackIndex++;
}
else
{
System.out.println("The stack is already full. Pop some elements and then try again");
}
}
public void pop()
{
if(size==0)
{
System.out.println("The stack is already empty");
}
else
{
stackPlaces[stackIndex]=0;
size--;
stackIndex--;
}
}
public void display()
{
System.out.println("The stack contains:");
for(int i=0;i<stackPlaces.length-1;i++)
{
System.out.println(stackPlaces[i]);
}
}
}
答案 0 :(得分:2)
在display()
中,只需将循环更改为使用size
作为循环条件,以便显示逻辑元素数:
for (int i=0;i < size; i++)
{
System.out.println(stackPlaces[i]);
}
请注意,您现有的循环仅显示15个值中的14个......
答案 1 :(得分:1)
初始化一个大小为15的int-s数组.int数据类型默认为0(而不是它的包装类Integer,默认为null),所以你真正要做的是创建一个15 0的int数组。因此,当您遍历数组并打印其内容时,您将获得15 0。
正如其他人所暗示的那样,解决方案是将循环限制交换到堆栈的大小(实际添加的元素数),而不是数组的大小。
答案 2 :(得分:0)
而不是for(int i=0;i<stackPlaces.length-1;i++)
,请for(int i=0;i<stackIndex;i++)