栈:一种特殊的线性表,其只允许在固定的一端进行插入和删除元素操作。
先进后出
data:image/s3,"s3://crabby-images/3c1d1/3c1d14cdb62028f9cd7166266e14a541ef3ae30e" alt=""
栈的使用
data:image/s3,"s3://crabby-images/9a0a9/9a0a948da2cda5f387b4f8a5ac84f4871234232b" alt=""
栈的模拟实现
data:image/s3,"s3://crabby-images/50627/50627678abc4b844be821b30f30ab8038facbab5" alt=""
上述的主要代码
java
public class MyStack {
private int[] elem;
private int usedSize;
public MyStack() {
this.elem = new int[5];
}
@Override
public String toString() {
return "MyStack{" +
"elem=" + Arrays.toString(elem) +
", usedSize=" + usedSize +
'}';
}
//压栈
public void push(int val){
if(isFull()){
elem=Arrays.copyOf(elem,2*elem.length);
}
elem[usedSize++]=val;
}
public boolean isFull(){
return this.usedSize==elem.length;
}
//出栈
public int pop(){
if(empty()){
throw new StackEmptyException("栈内元素为空");
}
return elem[--usedSize];
}
public boolean empty(){
return usedSize==0;
}
//获取栈顶元素
public int peek(){
if(empty()){
throw new StackEmptyException("栈内元素为空");
}
return elem[usedSize-1];
}
}
改变元素的序列
data:image/s3,"s3://crabby-images/cdd24/cdd24847162f6b0f4695f6972e63be691e94bbee" alt=""
data:image/s3,"s3://crabby-images/791ea/791ea60a5b1b9b0ae8849de162b8ce8ef92f35e3" alt=""
将递归转化为循环
比如:逆序打印链表
结果如下
data:image/s3,"s3://crabby-images/4e5e7/4e5e738da57776b4f19b0ca548d2d8e64a756804" alt=""
data:image/s3,"s3://crabby-images/8df72/8df72fdb4e535827be1038ef9eef917993d8ff8a" alt=""
data:image/s3,"s3://crabby-images/d5c05/d5c0558324a596a7089d1dfc8bc40cada06970cf" alt=""
data:image/s3,"s3://crabby-images/85fc8/85fc8df212b7d1b2a663c752fbcec27e396a93e4" alt=""
队列:只允许在一端进行插入数据操作,在另一端进行删除数据操作的特殊线性表,队列具有先进先出FIFO(FirstIn First Out) 入队列:进行插入操作的一端称为队尾(Tail/Rear) 出队列:进行删除操作的一端称为队头(Head/Front)
队列的使用
Queue是个接口,在实例化时必须实例化LinkedList的对象,因为LinkedList实现了Queue接口
队列模拟实现(利用双向链表)
先考虑一般情况,再考虑特殊情况
data:image/s3,"s3://crabby-images/c3854/c3854e8a2837d28a6f21f38fa47189e72051d335" alt=""
循环队列
环形队列通常使用数组实现
注意事项
代码如下
双端队列 (Deque)
双端队列(deque)是指允许两端都可以进行入队和出队操作的队列,deque 是 "double ended queue" 的简称。那就说明元素可以从队头出队和入队,也可以从队尾出队和入队。
栈和队列均可以使用该接口。
用栈实现队列