用两个栈实现一个队列。队列的声明如下,请实现它的两个函数 appendTail 和 deleteHead ,分别完成在队列尾部插入整数和在队列头部删除整数的功能。(若队列中没有元素,deleteHead 操作返回 -1 )
class CQueue { stack<int> stack1,stack2; public: CQueue() { while (!stack1.empty()) { stack1.pop(); } while (!stack2.empty()) { stack2.pop(); } } void appendTail(int value) { stack1.push(value); } int deleteHead() { // 如果第二个栈为空 if (stack2.empty()) { while (!stack1.empty()) {// 数据从栈1存入栈2,这样在栈2栈顶元素为最先加入元素 stack2.push(stack1.top()); stack1.pop(); } } if (stack2.empty()) { return -1; } else {// 删除第一个加入的节点 int deleteItem = stack2.top(); stack2.pop(); return deleteItem; } } };
原文:https://www.cnblogs.com/Allen-rg/p/13692750.html