快速排序 C语言实现
问题:快速排序
算法:
代码:
#include<stdio.h>int nums[10] = {4,2,8,3,1,6,5,0,10,9};void QuickSort(int *nums,int left,int right){if(left >= right) return; // 递归出口int pivot = nums[left];int low = left,high = right;while(low < high){while(low < high && nums[high] >= pivot) high--; // 从后往前找到第一个小于pivot的nums[low] = nums[high]; // 放到low的位置(nums[low]的值不会消失,因为已经提前存入pivot中了)while(low < high && nums[low] <= pivot) low++; // 从前往后找到第一个大于pivot的nums[high] = nums[low]; // 放到high的位置(刚才空出来了)}nums[low] = pivot; // 把pivot放到现在low的位置QuickSort(nums,left,low - 1); // 递归前半部分QuickSort(nums,low + 1,right); // 递归后半部分return ;
}int main(){QuickSort(nums,0,9);for(int i = 0;i<10;i++) printf("%d ",nums[i]);putchar('\n');return 0;
}