点击勘误issues (opens new window),哪吒感谢大家的阅读
- 使用队列实现栈 (栈,队列)
- 使用栈实现队列 (栈,队列)
- 包含min函数的栈
- 合法的出栈序列
- 简单的计算器
- 寻找中位数
栈,先进后出的线性表。
- 1,2,3 按顺序压入栈中(push操作) 栈
- 按照栈顶栈低3,2,1的顺序出栈(pop操作)
队列,先进先出的线性表。
- 1,2,3按照顺序压入队列中(push操作)
- 按照队列头部到尾部1,2,3的顺序出队列(pop操作)
data:image/s3,"s3://crabby-images/6e5d9/6e5d948a5ddb2a3ed5a8c4039d0da63c6fc877cf" alt=""
# 栈
s.top(): 取出栈顶
s.empty(): 判断栈是否为空
s.push(x): 将x添加至栈
s.pop(): 弹出栈顶
s.size(): 栈的存储元素个数
1
2
3
4
5
2
3
4
5
data:image/s3,"s3://crabby-images/f7ee6/f7ee61fddf9a2d7f4c158833da8743c5486d645b" alt=""
int main() {
std::stack<int> S;
if () {
print()
}
S.push(5);
...
}
1
2
3
4
5
6
7
8
2
3
4
5
6
7
8
# 队列
data:image/s3,"s3://crabby-images/be3e9/be3e999ddb1f9b1839c7bcc3a70b4c67779dec9e" alt=""
q.empty(): 判断队列是否为空
q.front(): 返回队列头部元素
q.back(): 返回队列尾部元素
q.pop(): 弹出队列头部元素
q.push(x): 将x添加至队列
q.size(): 返回队列的存储元素的个数
1
2
3
4
5
6
2
3
4
5
6
# 使用队列实现栈
设计一个栈,支持基本的栈操作,这个栈的内部存储数据的结构为队列,队列的方法只能包含push,peek(front),pop,size,empty等标准的队列方法
- push(x): 将元素x压入栈中
- pop(): 弹出(移除)栈顶元素
- top(): 返回栈顶元素
- empty(): 判断栈是否是空
class MyStack {
public:
MyStack() {
}
void push(int x) {
}
int pop() {}
int top() {}
bool empty() {}
j}
1
2
3
4
5
6
7
8
9
10
2
3
4
5
6
7
8
9
10
data:image/s3,"s3://crabby-images/a99ec/a99ec4926cf970e4dfca8af674792577db9b45f4" alt=""
data:image/s3,"s3://crabby-images/b0745/b0745cdd9030568bcd528f939398b5572e97e050" alt=""
data:image/s3,"s3://crabby-images/60227/602273c520253dee911ee5f5ea2bb1fea6770c54" alt=""
data:image/s3,"s3://crabby-images/27af8/27af8e07b085017406244ab9baca17e9d486006b" alt=""
data:image/s3,"s3://crabby-images/27af8/27af8e07b085017406244ab9baca17e9d486006b" alt=""
data:image/s3,"s3://crabby-images/2ef25/2ef25eec927b65925b9280da034761cc33516c36" alt=""
data:image/s3,"s3://crabby-images/e833c/e833cc4907162062e53f17ad4739ebc2b9e7b890" alt=""
# 包含min函数的栈
设计一个栈,支持如下操作,这些操作的算法复杂度需要是常数级:
- push(x): 将元素x压入栈中
- pop(): 弹出(移除)栈顶元素
- top(): 返回栈顶元素
- getMin(): 返回栈内最小元素
class MinStack {
public:
MinStack() {
// 构造函数
}
void push(int x) {}
void pop() {}
int top() {}
int getMin() {}
}
1
2
3
4
5
6
7
8
9
10
2
3
4
5
6
7
8
9
10
data:image/s3,"s3://crabby-images/24916/249168c4e384e27c3eaead1f9c618881f2cafdd9" alt=""
# 用另一个栈,存储各个状态最小值
data:image/s3,"s3://crabby-images/d696b/d696b0cad9c461adeb6bbd06c12d82476e94fada" alt=""
# 合法的出栈序列
data:image/s3,"s3://crabby-images/60c25/60c254770e66cb63edf11f16de10875f58545dfc" alt=""
data:image/s3,"s3://crabby-images/00a26/00a2661a88ce9882c85a848a21986538405240af" alt=""
data:image/s3,"s3://crabby-images/94796/947962bf0f512032400e266ee22fde726eaebe73" alt=""
data:image/s3,"s3://crabby-images/8aacf/8aacf366d650dea30d92149f4f4e620b587d623b" alt=""
data:image/s3,"s3://crabby-images/c38ae/c38aef0c0b81a48bd424ba7ccc44e83de9233a2c" alt=""
data:image/s3,"s3://crabby-images/b031e/b031efc693449536154906f0b89073e27092817e" alt=""
data:image/s3,"s3://crabby-images/35889/3588938a1c2216921b200155335c3d06a1b36c37" alt=""
链表 →