C++ 使用栈模拟队列操作

栈:先进后出

队列:先进先出

使用栈实现队列的下列操作:

push(x) -- 将一个元素放入队列的尾部。
pop() -- 从队列首部移除元素。
peek() -- 返回队列首部的元素。
empty() -- 返回队列是否为空。

使用栈来模式队列的行为,如果仅仅用一个栈,是一定不行的,所以需要两个栈一个输入栈,一个输出栈,这里要注意输入栈和输出栈的关系。此外,在push数据的时候,只要数据放进输入栈就好,但在pop的时候,操作就复杂一些,输出栈如果为空,就把进栈数据全部导入进来(注意是全部导入),再从出栈弹出数据,如果输出栈不为空,则直接从出栈弹出数据就可以了。

代码:

#include
#include
#include
using namespace std;
class Myqueue//定义队列类
{
    public:
    stackstin;
    stackstout;
    void push(int x)//插入是一样的
    {
        stin.push(x);
    }
    int pop()//从队列首部删除元素
    {
        if (stout.empty())
        {
            while (!stin.empty())
            {
                stout.push(stin.top());
                stin.pop();
            }
            
        }
        int result=stout.top();
        stout.pop();
        return result;
    }
    int peek()//返回队列首部的元素
    {
        int res=this->pop();//调用pop方法
        stout.push(res);//弹出后记得插入
        return res;
    }
    bool empty()//判断队列是否为空
    {
        return stin.empty()&&stout.empty();
    }

};
int main()
{
    Myqueue queue;
    queue.push(2);
    queue.pop();
    if (queue.empty())
    {
        cout<<"queue is null"<

 

你可能感兴趣的:(链表,数据结构)