目录
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中尾部的元素弹出 |
我在模拟实现stack栈的时候,使用的是list链表作为适配器。
- #include
- #include
- #include
- using namespace std;
- namespace my_stack_queue
- {
- template<class T, class Con = list
> - class stack
- {
- public:
- stack()
- {}
- void push(const T& x)
- {
- _c.push_back(x);
- }
- void pop()
- {
- assert(!_c.empty());
- _c.pop_back();
- }
- T& top()
- {
- assert(!_c.empty());
- return _c.back();
- }
- const T& top()const
- {
- assert(!_c.empty());
- return _c.back();
- }
- size_t size()const
- {
- return _c.size();
- }
- bool empty()const
- {
- return _c.empty();
- }
- private:
- Con _c;
- };
- int main()
- {
- using namespace my_stack_queue;
- stack<int> b;
- b.push(1);
- b.push(2);
- b.push(3);
- b.push(4);
- b.pop();
- b.pop();
- b.pop();
- cout << b.size() << endl;
- cout << b.top() << endl;
- cout << b.empty() << endl;
- return 0;
- }
1、队列是一种容器适配器,专门用于在FIFO上下文(先进先出)中操作,其中从容器一端插入元素,另一端提取元素。
2、队列作为容器适配器实现,容器适配器即将特定容器类封装作为其底层容器类,queue提供一组特定的成员函数来访问其元素。元素从队尾入队列,从队头出队列。
3、底层容器可以是标准容器类模板之一,也可以是其他专门设计的容器类。该底层容器应至少支持以下操作:、
empty:检测队列是否为空
size:返回队列中有效元素的个数
front:返回队头元素的引用
back:返回队尾元素的引用
push_back:在队列尾部入队列
pop_front:在队列头部出队列
4、标准容器类deque和list满足了这些要求。默认情况下,如果没有为queue实例化指定容器类,则使用标准容器deque。
函数声明 | 接口说明 |
queue() | 构造空的队列 |
empty() | 检测队列是否为空,是返回true,否则返回false |
size() | 返回队列中有效元素的个数 |
front() | 返回队头元素的引用 |
back() | 返回队尾元素的引用 |
push() | 在队尾将元素val入队列 |
pop() | 将队头元素出队列 |
- #include
- #include
- #include
- using namespace std;
- namespace my_stack_queue
- {
- template<class T, class Con = list
> - class queue
- {
- public:
- queue()
- {}
- void push(const T& x)
- {
- _c.push_back(x);
- }
- void pop()
- {
- assert(!_c.empty());
- _c.pop_front();
- }
- T& back()
- {
- assert(!_c.empty());
- return _c.back();
- }
- const T& back()const
- {
- assert(!_c.empty());
- return _c.back();
- }
- T& front()
- {
- assert(!_c.empty());
- return _c.front();
- }
- const T& front()const
- {
- assert(!_c.empty());
- return _c.front();
- }
- size_t size()const
- {
- return _c.size();
- }
- bool empty()const
- {
- return _c.empty();
- }
- private:
- Con _c;
- };
-
- };
- int main()
- {
- using namespace my_stack_queue;
- queue<int> a;
- a.push(1);
- a.push(2);
- a.push(3);
- a.push(4);
- a.pop();
- a.pop();
- cout << a.size() << endl;
- cout << a.back() << endl;
- cout << a.front() << endl;
- cout << a.empty() << endl;
- return 0;
- }