STL专项:stack 栈

本文章是学习过程中记录的笔记,主要来源Erik_Tse

stack

stack 是栈,一种后进先出**(Last In First Out)** 的容器,它仅维护栈顶**(top)** ,支持入栈**(push)** ,查询栈顶**(top)** ,出栈**(pop)** ,查询大小**(size)操作。
常用于
"单调栈","括号匹配","dfs","Tarjan求强连通分量","波兰表达式(计算器)"**等算法或数据结构中。

初始化

stack<int> stk; //创建一个空栈,栈不允许列表初始化或填充相同元素

//但是可以从已有的栈进行拷贝构造

stack<int> stk2(stk);

stack<int> stk3 = stk2;

入栈

stk.push(10); //stk = [10(top)]

stk.push(20); //stk = [10,20(top)]

stk.push(50); //stk = [10,20,50(top)]

cout << stk.top() << '\n'; //50, stk = [10,20,50(top)]

stk.pop(); //stk = [10,20(top)]

cout << stk.top() << '\n'; //20, stk = [10,20(top)]

取出栈顶元素

//c++top() 只会取出栈顶元素,不会将栈顶元素**pop()**掉

cout << stk.top() << '\n';

出栈

//弹出栈顶元素,注意判断非空!

if(stk.size()) {

cout << stk.top() << '\n';

stk.pop();

}

获取栈大小(元素个数),判空

cout << stk.size() << '\n';

if(stk.empty()) ...//栈空

清空栈

while(stk.size()) stk.pop();//O(n)

手写栈

//stack中不允许遍历,但是我们可以用手写栈或者用vector,就可以实现遍历啦

//手写栈,只需要用top 表示栈顶下标 ,以下标1 作为栈底即可

int stk[N],top=0;

//入栈

stk[++ top] =x;

//出栈

top --;

//取出栈顶元素

cout << stk[top] << '\n';

//获取大小

cout << top << '\n';

//判断是否为空

if(top) ...//非空

//遍历栈

for(int i=1;i<=top;i++)

//甚至还可以在单调栈上进行二分

练习题(火车)

火车轨道 | 星码StarryCoding 算法竞赛新手村

答案代码

cpp 复制代码
#include<bits/stdc++.h>
using namespace std;

int main(){
	int n;cin>>n;
	stack<int> stk;
	int need=1;
	for(int i=1;i<=n;i++){
		int x;cin>>x;
		stk.push(x);
		while(stk.size()&&need<=n&&stk.top()==need){
			need++;
			stk.pop();
		}
	}
	if(need==n+1) cout << "Yes" << '\n';
	else cout << "No" << '\n';
	return 0;
}

注意一点------在 while 循环的条件判断部分,需要先判空,再去取栈顶元素,否则如果为空,但是已经取出栈顶元素了,这是非法操作,不会再进行后续操作(程序崩溃了)

练习题(括号匹配)

括号匹配 | 星码StarryCoding 算法竞赛新手村

答案代码

cpp 复制代码
#include<bits/stdc++.h>
using namespace std;
const int N = 2e5+9;
char s[N];

void solves(){
	cin>>s+1;
	int n=strlen(s+1);
	stack<char> stk;
	bool ans=true;
	for(int i=1;i<=n;i++){
		if(s[i]=='('||s[i]=='['||s[i]=='{'){
			stk.push(s[i]);
		}else{
			if(stk.empty()){
				ans=false;
				break;
			}else{
				if((stk.top()=='('&&s[i]==')')||
				   (stk.top()=='['&&s[i]==']')||
				   (stk.top()=='{'&&s[i]=='}')){
					stk.pop();
				}else{
					ans=false;
					break;
				}
			}
		}
	}
	if(stk.size()) ans=false;
	cout<<(ans?"YES":"NO")<<'\n';
}

int main(){
	int _;cin>>_;
	while(_--){
		solves();
	}
	return 0;
}
相关推荐
努力努力再努力wz2 小时前
【C++高阶系列】外存查找的极致艺术:数据库偏爱的B+树底层架构剖析与C++完整实现!(附B+树实现的源码)
linux·运维·服务器·数据结构·数据库·c++·b树
北顾笙9802 小时前
day22-数据结构力扣
数据结构·算法·leetcode
她说彩礼65万2 小时前
C语言 指针运算
c语言·数据结构·算法
2301_7644413311 小时前
LISA时空跃迁分析,地理时空分析
数据结构·python·算法
玉树临风ives11 小时前
atcoder ABC 452 题解
数据结构·算法
无敌昊哥战神13 小时前
深入理解 C 语言:巧妙利用“0地址”手写 offsetof 宏与内存对齐机制
c语言·数据结构·算法
XH华14 小时前
数据结构第九章:树的学习(下)
数据结构·学习
会编程的土豆16 小时前
【数据结构与算法】再次全面了解LCS底层
开发语言·数据结构·c++·算法
汀、人工智能17 小时前
[特殊字符] 第93课:太平洋大西洋水流问题
数据结构·算法·数据库架构·图论·bfs·太平洋大西洋水流问题