利用java 简单实现栈的 添加数据 查看数据 获取数据 等基本功能
栈 遵循”先进后出”或”后进先出”的原则
栈只允许访问栈顶的元素,栈就像一个杯子,每次都只能取杯子顶上的东西,而对于栈就只能每次访问它的栈顶元素,从而可以达到保护栈顶元素以下的其他元素.”先进后出”或”后进先出”就是栈的一大特点,先进栈的元素总是要等到后进栈的元素出栈以后才能出栈.
import java.util.Scanner;
class ArrayStack {
private int pot = -1;
private int maxSize;
private int[] arr;
public ArrayStack(int maxSize) {
this.maxSize = maxSize;
arr = new int[this.maxSize];
}
public boolean isFull() {
if (pot == maxSize - 1) {
return true;
}
return false;
}
public boolean isEmpty() {
if (pot == -1) {
return true;
}
return false;
}
//入栈操作
public boolean plus(int data) {
if (isFull()) {
throw new RuntimeException("栈已满,添加数据失败");
} else {
pot++;
arr[pot] = data;
return true;
}
}
//出栈操作
public int pop() {
if (isEmpty()) {
throw new RuntimeException("栈为空,出栈失败");
} else {
int data = arr[pot];
pot--;
System.out.println("arr["+pot+"]"+"="+data+"出栈");
return data;
}
}
public void showStack() {
if (isEmpty()) {
System.out.println("栈,为空。");
}
for (int i = pot; i >= 0; --i) {
System.out.println(arr[i]);
}
}
}
可以用下面的主方法进行测试
import java.util.Scanner;
public class ArrayStackDemo {
public static void main(String[] args) {
ArrayStack stack = new ArrayStack(2);
boolean loop = true;
String key = "";
Scanner sc = new Scanner(System.in);
while (loop) {
System.out.println("show:显示栈中的数据");
System.out.println("plus:入栈");
System.out.println("pop:出栈");
System.out.println("exit:推出程序");
key = sc.next();
switch (key) {
case "show":
stack.showStack();
break;
case "pop":
try {
stack.pop();
} catch (Exception e) {
System.out.println(e.getMessage());
}
break;
case "exit":
sc.close();
loop = false;
System.out.println("程序退出 成功");
break;
case "plus":
try {
System.out.println("请输入要添加的数据");
int i = sc.nextInt();
stack.plus(i);
} catch (Exception e) {
System.out.println(e.getMessage());
}
break;
default:System.out.println("输入有误,请重新输入");
}
}
}
}