[C++]STL-stack容器
程序员文章站
2022-06-07 09:58:26
...
stack容器
栈容器,遵循先进后出
特性:
- 栈不能遍历
- 不支持随机读取
- 只能通过top从栈顶获取和删除元素
#include<iostream>
#include<deque>
#include<stack>
using namespace std;
//构造函数,初始化对象
void StackTest1() {
stack<int> s1; //默认构造
stack<int> s2(s1); //拷贝构造
//stack操作
s1.push(10); //压栈
s1.push(20);
s1.push(30);
s1.push(40);
cout << "此时栈顶元素为:" << s1.top() << endl;
s1.pop(); //删除栈顶元素
cout << "此时栈顶元素为:" << s1.top() << endl;
//打印栈容器内数据
while (!s1.empty()) { //判断栈内是否还有元素
cout << s1.top() << " "; //打印数据
s1.pop(); //删除数据
}
cout << endl;
cout << "size:" << s1.size() << endl;
}
int main() {
StackTest1();
return 0;
}