栈的使用
java
import java.util.Stack;
public class Test {
public static void main(String[] args) {
Stack<Integer> stack = new Stack<>();//构造一个空的栈
//入栈
stack.push(12);
stack.push(23);
stack.push(34);
stack.push(45);
stack.push(56);
//将栈顶元素出栈并返回
Integer x = stack.pop();
System.out.println(x);
//获取栈顶元素但是不删除
Integer y1 = stack.peek();
System.out.println(y1);
Integer y2 = stack.peek();
System.out.println(y2);//和y1的值是一样的
//检测栈是否为空
boolean flg = stack.isEmpty();
System.out.println(flg);
}
}
栈的模拟实现
可以用数组来模拟实现一个栈,用usedSize变量的作用:
1、可以表示当前存放数据的个数
2、可以表示当前存放数据的下标
java
import java.util.Arrays;
public class MyStack {
public int[] elem;
public int usedSize;
public MyStack() {
this.elem = new int[10];
}
public void push(int val) {
if (isFull()) {
elem = Arrays.copyOf(elem, 2 * elem.length);
}
elem[usedSize] = val;
usedSize++;
}
public boolean isFull() {
return usedSize == elem.length;
}
public int top() {
if (empty()) {
return -1;
}
int oldVal = elem[usedSize - 1];
usedSize--;
return oldVal;
}
public boolean empty() {
return usedSize == 0;
}
public int peek() {
if (empty()) {
return -1;
}
return elem[usedSize - 1];
}
}
三种考题
改变元素的序列
- 若进栈序列为 1,2,3,4 ,进栈过程中可以出栈,则下列不可能的一个出栈序列是()
A: 1,4,3,2 B: 2,3,4,1 C: 3,1,4,2 D: 3,4,2,1
2.一个栈的初始状态为空。现将元素1、2、3、4、5、A、B、C、D、E依次入栈,然后再依次出栈,则元素出栈的顺序是( )。
A: 12345ABCDE B: EDCBA54321 C: ABCDE12345 D: 54321EDCBA
将递归转化为循环
比如:逆序打印链表
java
// 递归方式
void printList(Node head){
if(null != head){
printList(head.next);
System.out.print(head.val + " ");
}
}
java
// 循环方式
void printList(Node head){
if(null == head){
return;
}
Stack<Node> s = new Stack<>();
// 将链表中的结点保存在栈中
Node cur = head;
while(null != cur){
s.push(cur);
cur = cur.next;
}
//将栈中的元素出栈
while(!s.empty()){
System.out.print(s.pop().val + " ");
}
}
逆波兰表达式求值
遇到非符号就入栈,遇到符号,分别将数字出栈到符号的右边和左边,计算结果并将其入栈
java
class Solution {
public int evalRPN(String[] tokens) {
Stack<Integer> stack = new Stack<>();
for (int i = 0; i < tokens.length; i++) {
String tmp = tokens[i];
if (!isOpearation(tmp)) {
Integer val = Integer.valueOf(tmp);
stack.push(val);
} else {
Integer val2 = stack.pop();
Integer val1 = stack.pop();
switch (tmp) {
case "+":
stack.push(val1 + val2);
break;
case "-":
stack.push(val1 - val2);
break;
case "*":
stack.push(val1 * val2);
break;
case "/":
stack.push(val1 / val2);
break;
}
}
}
return stack.pop();
}
public boolean isOpearation(String s) {
if (s.equals("+") || s.equals("-") || s.equals("*") || s.equals("/")) {
return true;
}
return false;
}
}