LintCode 463.整数排序 II [快速排序基础应用]

题目链接

http://www.lintcode.com/zh-cn/problem/sort-integers-ii/

给一组整数,按照升序排序。使用归并排序,快速排序,堆排序或者任何其他 O(n log n) 的排序算法。

给出 [3, 2, 1, 4, 5], 排序后的结果为 [1, 2, 3, 4, 5]

代码

class Solution {
public:
    /**
     * @param A an integer array
     * @return void
     */
  void quick_sort(vector& s, int low, int high)
{
    if (low < high)
    {
        int i = low, j = high, x = s[low];
        while (i < j)
        {
            while(i < j&&s[j] >= x) // 从右向左找第一个小于x的数
			         j--;
			s[i] = s[j];
			//i++;//此处的i++需要i& A) 
 {
    quick_sort(A,0,A.size()-1);    // Write your code here
 }
};
有if判断的

 //快速排序
class Solution {
public:
    /**
     * @param A an integer array
     * @return void
     */
  void quick_sort(vector& s, int low, int high)
{
    if (low < high)
    {
        int i = low, j = high, x = s[low];
        while (i < j)
        {
            while(i < j && s[j] >= x) // 从右向左找第一个小于x的数
				j--;  
            if(i < j) 
				s[i++] = s[j];
			
            while(i < j && s[i] < x) // 从左向右找第一个大于等于x的数
				i++;  
            if(i < j) 
				s[j--] = s[i];
        }
        s[i] = x;//或者 s[j] = x;
        quick_sort(s, low, i - 1); // 递归调用 
        quick_sort(s, i + 1, high);
    }
}
 void sortIntegers2(vector& A) 
 {
    quick_sort(A,0,A.size()-1);    // Write your code here
 }
};



你可能感兴趣的:(LintCode,排序)