1.stack是一种容器适配器,专门用在具有后进先出操作的上下文环境中,其删除只能从容器的一端进行元素的插入与提取操作。
2.stack是作为容器适配器被实现的,容器适配器即是对特定类封装作为其底层的容器,并提供一组特定的成员函数来访问其元素,将特定类作为其底层的,元素特定容器的尾部(即栈顶)被压入和弹出。
3.stack的底层容器可以是任何标准的容器类模板或者一些其他特定的容器类,这些容器类应该支持以下操作:
empty:判空操作
back:获取尾部元素操作
push_back:尾部插入元素操作
pop_back:尾部删除元素操作
4.标准容器vector、deque、list均符合这些需求,默认情况下,如果没有为stack指定特定的底层容器,默认情况下使用deque。
函数说明 | 接口说明 |
---|---|
stack() | 构造空的栈 |
empty() | 检测stack是否为空 |
size() | 返回stack中元素的个数 |
top() | 返回栈顶元素的引用 |
push() | 将元素val压入stack中 |
pop() | 将stack中尾部的元素弹出 |
void test_stack()
{
stack<int> st;
st.push(1);
st.push(2);
st.push(3);
st.push(4);
while (!st.empty())
{
cout << st.top() << " ";
st.pop();
}
cout << endl;
}
int main()
{
test_stack();
return 0;
}
??经过学习上面的stack接口。我们可以从栈的接口中看出,栈实际是一种特殊的vector,因此使用vector也完全可以模拟实现stack。(实际上底层实现是使用deque来做容器适配器)
stack容器适配器
??STL中的stack类本质上是一种容器适配器,容器适配器是一个封装了序列容器的类模板,它在一般序列容器的基础上提供了一些不同的功能,之所以称作适配器类,是因为它可以通过适配器现有的接口来提供不同的功能。
??stack容器适配器的模板有两个参数,第一个参数是存储对象的类型,第二个参数是底层容器的类型。stack的底层容器默认是deque容器,因此模板类型其实是template<class T,Class Container = deque> class stack。
template<class T,class Container=vector<T>>
class stack
{
private:
//vector<T> _v;
Container _con;
};
void push(const T& x)
{
_con.push_back(x);
}
void pop()
{
_con.pop_back();
}
const T& top()
{
return _con.back();
}
size_t size()
{
return _con.size();
}
bool empty()
{
return _con.empty();
}
#pragma once
namespace zl
{
//适配器模式/配接器
template<class T,class Container=vector<T>>
class stack
{
public:
void push(const T& x)
{
_con.push_back(x);
}
void pop()
{
_con.pop_back();
}
const T& top()
{
return _con.back();
}
size_t size()
{
return _con.size();
}
bool empty()
{
return _con.empty();
}
private:
//vector<T> _v;
Container _con;
};
void test_stack()
{
//stack<int, vector<int>> st;
//stack<int, list<int>> st;
stack<int> st;
st.push(1);
st.push(2);
st.push(3);
st.push(4);
while (!st.empty())
{
cout << st.top() << " ";
st.pop();
}
cout << endl;
}
}
#define _CRT_SECURE_NO_WARNINGS 1
#include<iostream>
#include<stack>
#include<vector>
#include<list>
using namespace std;
#include "stack.h"
int main()
{
zl::test_stack();
return 0;
}