实现快速排序 每一趟的子表的形成是采用从两头向中间交替式逼近法; 由于每趟中对各子表的操作都相似,可采用递归算法 C++ 代码
时间: 2024-10-19 11:07:13 浏览: 17
快速排序是一种常用的高效排序算法,其基本思想是通过一趟排序将待排记录分隔成独立的两部分,其中一部分的所有数据都比另一部分小,然后分别对这两部分再进行排序。以下是C++实现快速排序的一个简单版本:
```cpp
#include <iostream>
using namespace std;
// 交换两个元素的位置
void swap(int* a, int* b) {
int temp = *a;
*a = *b;
*b = temp;
}
// 选择基准元素并分割数组
int partition(int arr[], int low, int high) {
int pivot = arr[high]; // 通常选择最后一个元素作为基准
int i = (low - 1); // Index of smaller element
for (int j = low; j <= high - 1; j++) {
if (arr[j] < pivot) {
i++; // increment index of smaller element
swap(&arr[i], &arr[j]);
}
}
swap(&arr[i + 1], &arr[high]); // Swap pivot with the correct position
return (i + 1);
}
// 快速排序函数
void quickSort(int arr[], int low, int high) {
if (low < high) {
int pi = partition(arr, low, high);
// Recursively sort elements before and after partition
quickSort(arr, low, pi - 1);
quickSort(arr, pi + 1, high);
}
}
// 测试快速排序
int main() {
int data[] = {9, 7, 5, 11, 12, 2, 14, 3, 10};
int n = sizeof(data) / sizeof(data[0]);
cout << "Original array:\n";
for (int i = 0; i < n; i++)
cout << data[i] << " ";
quickSort(data, 0, n - 1);
cout << "\nSorted array:\n";
for (int i = 0; i < n; i++)
cout << data[i] << " ";
return 0;
}
```
阅读全文