c++编程实现快速排序,并给出其时间复杂性
时间: 2024-10-16 22:13:01 浏览: 31
快速排序是一种常用的高效排序算法,它通过分治策略将数组划分为较小和较大的两个部分,然后递归地对这两个部分进行排序。以下是C++中使用递归实现快速排序的一个简单版本:
```cpp
#include <iostream>
using namespace std;
void swap(int* a, int* b) {
int t = *a;
*a = *b;
*b = t;
}
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]); // put pivot in right place
return (i + 1);
}
void quickSort(int arr[], int low, int high) {
if (low < high) {
int pi = partition(arr, low, high);
quickSort(arr, low, pi - 1);
quickSort(arr, pi + 1, high);
}
}
// 测试函数
void printArray(int arr[], int size) {
for (int i=0; i < size; i++)
cout << arr[i] << " ";
cout << endl;
}
int main() {
int data[] = {9, 7, 5, 11, 12, 2, 14, 3, 10};
int n = sizeof(data) / sizeof(data[0]);
quickSort(data, 0, n - 1);
cout << "Sorted array: \n";
printArray(data, n);
return 0;
}
```
时间复杂性分析:
- 最佳情况(每次都能均匀划分):O(n log n)
- 平均情况:O(n log n)
- 最差情况(数组已经完全有序或逆序):O(n^2),但这种情况非常罕见,在实际应用中基本不会遇到。
阅读全文