请用c++编写一个简单的快速排序代码
时间: 2024-12-02 13:21:10 浏览: 10
当然可以。以下是使用C++编写的简单快速排序算法的示例:
```cpp
#include <iostream>
// 定义交换函数
void swap(int* a, int* b) {
int temp = *a;
*a = *b;
*b = temp;
}
// 快速排序的主函数
int quickSort(int arr[], int low, int high) {
if (low < 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]);
// 对左右两部分递归地排序
int pi = i + 1;
quickSort(arr, low, pi - 1);
quickSort(arr, pi + 1, high);
}
return low;
}
// 测试快速排序
int main() {
int data[] = {9, 7, 5, 11, 12, 2, 14, 3, 10};
int n = sizeof(data) / sizeof(data[0]);
std::cout << "Original array: ";
for (int i = 0; i < n; i++)
std::cout << data[i] << " ";
quickSort(data, 0, n - 1);
std::cout << "\nSorted array: ";
for (int i = 0; i < n; i++)
std::cout << data[i] << " ";
return 0;
}
```
这个程序首先定义了一个`quickSort`函数,它采用分治策略对数组进行排序。然后在`main`函数中创建了一个测试数组,并调用`quickSort`对其进行排序。
阅读全文