码迷,mamicode.com
首页 > 编程语言 > 详细

快速排序的递归和非递归实现 -----C++代码实现

时间:2015-04-13 09:37:30      阅读:175      评论:0      收藏:0      [点我收藏+]

标签:递归   partition   快速排序   

快速排序的基本思想是:通过一趟排序将待排记录分割成独立的两部分,其中一部分记录的关键字均比另一部分记录的关键字小,则可分别对这两部分记录继续进行排序,已达到整个序列有序.
快速排序是一种不稳定的排序方法,其平均时间复杂度为:O(NlogN),最坏的情况是O(N*N)
特别注意:快速排序中用到的Partition函数,它的作用是进行一趟快速排序,返回“参考目标”的最终位置p,经过Partition处理之后,p左边的记录关键字均不大于参考目标,p右边的记录关键字均不小于参考目标。 Partition函数在找出数组中最大或最小的k个记录也很有用.
C++代码如下:

#include <iostream>
#include <vector>
#include <stack>

using namespace std;

template <typename Comparable>

int partition(vector<Comparable> &vec,int low, int high){
    Comparable pivot = vec[low];
    while (low<high)
    {
        while (low<high && vec[high]>=pivot)
        {
            high--;
        }
        vec[low] = vec[high];
        while (low <high&&vec[low]<=pivot)
        {
            low++;
        }
        vec[high] = vec[low];
    }
    vec[low] = pivot;
    return low;
}

//使用递归快速排序
template<typename Comparable>
void quicksort1(vector<Comparable> &vec,int low ,int high){
    if (low <high)
    {
        int mid = partition(vec, low, high);
        quicksort1(vec, low, mid - 1);
        quicksort1(vec, mid + 1, high);
    }

}

//其实就是用栈保存每一个待排序子串的首尾元素下标,下一次while循环时取出这个范围,对这段子序列进行partition操作,
//每次得到的mid都是vector的最终位置,知道栈中不需要放入,也没有数据时,循环结束
template<typename Comparable>
void quicksort2(vector<Comparable> &vec, int low, int high){
    stack<int> st;
    if (low<high)
    {
        int mid = partition(vec, low, high);
        if (low<mid-1)
        {
            st.push(low);
            st.push(mid - 1);
        }
        if (mid+1<high)
        {
            st.push(mid + 1);
            st.push(high);
        }

        while (!st.empty())
        {
            int q = st.top();
            st.pop();
            int p = st.top();
            st.pop();
            mid = partition(vec, p, q);
            if (p<mid-1)
            {
                st.push(p);
                st.push(mid - 1);
            }
            if (mid+1<q)
            {
                st.push(mid + 1);
                st.push(q);
            }
        }
    }
}

int _tmain(int argc, _TCHAR* argv[])
{
    int a[10] = { 12, 21, 33, 4, 50, 62, 71, 52,111,9 };
    vector<int> vec(a, a + 10);
    int len = vec.size();
    //quicksort1(vec, 0, len - 1);
    quicksort2(vec, 0, len - 1);
    for (int i=0; i < len;i++)
    {
        cout << vec[i]<< endl;
    }
    system("pause");
    return 0;
}

快速排序的递归和非递归实现 -----C++代码实现

标签:递归   partition   快速排序   

原文地址:http://blog.csdn.net/xinjie1224/article/details/45015133

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!