首先是建立一個資料結構包括尺寸、數組模拟棧、定義棧頂top。構造器初始化size然後建立棧并且傳入size。接着判斷空、滿
進行出入棧操作、顯示,最後測試建立對象初始化添加删除檢視
package com.Stack;
import java.util.Scanner;
/**
* @Auther: 大哥的叔
* @Date: 2019/7/30 07:30
* @Description:
*/
public class ArrayStackDemo{
public static void main (String[] args) {
ArrayStack stack = new ArrayStack(4);
String key = "";
boolean loop = true;
Scanner scanner = new Scanner(System.in);
while(loop) {
System.out.println("show: 表示顯示棧");
System.out.println("exit: 退出程式");
System.out.println("push: 表示添加資料到棧(入棧)");
System.out.println("pop: 表示從棧取出資料(出棧)");
System.out.println("請輸入你的選擇");
key = scanner.next();
switch (key) {
case "show":
stack.list();
break;
case "push":
System.out.println("請輸入一個數");
int value = scanner.nextInt();
stack.push(value);
break;
case "pop":
try {
int res = stack.pop();
System.out.printf("出棧的資料是 %d\n", res);
} catch (Exception e) {
// TODO: handle exception
System.out.println(e.getMessage());
}
break;
case "exit":
scanner.close();
loop = false;
break;
default:
break;
}
}
System.out.println("程式退出~~~");
}
}
class ArrayStack{
private int maxSize;
private int stack[];
private int top = -1;// top表示棧頂,初始化為-1
public ArrayStack (int maxSize) {
this.maxSize = maxSize;
stack = new int[this.maxSize];
}
//棧滿
public boolean isFull(){
return top == maxSize - 1;
}
public boolean isEmpty(){
return top == -1;
}
public void push(int value){
if (isFull()){
System.out.println("滿");
return;
}
top++;
stack[top] = value;
}
public int pop(){
if (isEmpty()){
throw new RuntimeException("空");
}
int value = stack[top];
top--;
return value;
}
public void list(){
if (isEmpty()){
System.out.println("空");
return;
}
for (int i = top; i >=0; i--) {
System.out.printf("stack[%d]=%d\n",i,stack[i]);
}
}
}