Implement Stack using Queues
Reference:
Method 1 (By making push operation costly)
This method makes sure that newly entered element is always at the front of ‘q1′, so that pop operation just dequeues from ‘q1′. ‘q2′ is used to put every new element at front of ‘q1′.
push(s, x) // x is the element to be pushed and s is stack
- Enqueue x to q2
- One by one dequeue everything from q1 and enqueue to q2.
- Swap the names of q1 and q2 // Swapping of names is done to avoid one more movement of all elements // from q2 to q1.
pop(s)
- Dequeue an item from q1 and return it.
Method 2 (By making pop operation costly)
In push operation, the new element is always enqueued to q1. In pop() operation, if q2 is empty then all the elements except the last, are moved to q2. Finally the last element is dequeued from q1 and returned.
push(s, x)
- Enqueue x to q1 (assuming size of q1 is unlimited).
pop(s)
- One by one dequeue everything except the last element from q1 and enqueue to q2.
- Dequeue the last item of q1, the dequeued item is result, store it.
- Swap the names of q1 and q2
- Return the item stored in step 2.
// Swapping of names is done to avoid one more movement of all elements
// from q2 to q1.
Method 1:
#include "stdio.h"
#include <queue>
using namespace std;
struct stack{
queue<int> Q1;
queue<int> Q2;
};
void push(struct stack *sStack, int data)
{
queue<int> temp;
sStack->Q2.push(data);
while(sStack->Q1.size() > 0) {
sStack->Q2.push(sStack->Q1.front());
sStack->Q1.pop();
}
temp = sStack->Q1;
sStack->Q1 = sStack->Q2;
sStack->Q2 = temp;
}
int pop(struct stack *sStack)
{
int res;
res = sStack->Q1.front();
sStack->Q1.pop();
return res;
}
int main(void)
{
struct stack sStack;
push(&sStack, 1);
push(&sStack, 2);
push(&sStack, 3);
printf("%d\n", pop(&sStack) );
printf("%d\n", pop(&sStack) );
printf("%d\n", pop(&sStack) );
return 0;
}
Method 2:
#include "stdio.h"
#include <queue>
using namespace std;
struct stack{
queue<int> Q1;
queue<int> Q2;
};
void push(struct stack *sStack, int data)
{
sStack->Q1.push(data);
}
int pop(struct stack *sStack)
{
int res;
queue<int> temp;
while(sStack->Q1.size() > 1) {
sStack->Q2.push(sStack->Q1.front());
sStack->Q1.pop();
}
res = sStack->Q1.front();
sStack->Q1.pop();
temp = sStack->Q1;
sStack->Q1 = sStack->Q2;
sStack->Q2 = temp;
return res;
}
int main(void)
{
struct stack sStack;
push(&sStack, 1);
push(&sStack, 2);
push(&sStack, 3);
printf("%d\n", pop(&sStack) );
printf("%d\n", pop(&sStack) );
printf("%d\n", pop(&sStack) );
return 0;
}