同学给我出了一个栈排序的题,意思给一个包含无序数的栈,让输出一个顺序排列的栈。
直接排序是不可能的,栈只能在一端进行操作。因此需要借助辅助栈。
思路是将原栈s的数据压入辅助栈s2,辅助栈用于保存最终结果。辅助栈中的元素是有序的。
压栈过程需要比较两个栈栈顶元素大小关系。如果s栈顶小于s2的栈顶元素,则需要找到s2的栈中第一个大于s1栈顶的元素,然后将s2中的元素出栈到s中。最后将s一开始的那个栈顶元素放入s2。
实现完栈以后,再想想队列也可以排序嘛,就写了个队列排序的算法。有些粗糙,感觉可以改进。
#include <iostream>
#include <stack>
#include <queue>
using namespace std;
stack<int> stackSort(stack<int> s)
{
stack<int> s2; //辅助栈
while(!s.empty())
{
int tmp = s.top();
s.pop();
while(!s2.empty() && tmp <= s2.top()) //找到辅助栈中第一个小于tmp的元素
{
s.push(s2.top());
s2.pop();
}
s2.push(tmp);
}
/* while(!s2.empty())
{
cout<<s2.top()<<" ";
s2.pop();
}
cout<<endl;*/
return s2;
}
queue<int> queueSort(queue<int> q)
{
queue<int> q2;
while(!q.empty())
{
int tmp = q.front();
q.pop();
int i=0;
int len = q2.size();
while(!q2.empty() && tmp > q2.front() && i<len) //将队列中的元素依次放入辅助队列
{
q2.push(q2.front());
q2.pop();
i++;
}
q2.push(tmp);
while (i<len) //挪动len-i次,保持辅助队列的有序性
{
q2.push(q2.front());
q2.pop();
i++;
}
}
/*while(!q2.empty())
{
cout<<q2.front()<<" ";
q2.pop();
}
cout<<endl;*/
return q2;
}
int main()
{
stack<int> s;
s.push(1);
s.push(5);
s.push(3);
s.push(2);
s.push(4);
s.push(6);
stackSort(s);
queue<int> q;
q.push(1);
q.push(7);
q.push(3);
q.push(2);
q.push(4);
q.push(6);
q.push(9);
queueSort(q);
system("pause");
return 0;
}