下面是一個示例的C++快速排序算法的代碼:
#include <iostream>
using namespace std;
// 交換兩個元素的值
void swap(int* a, int* b) {
int temp = *a;
*a = *b;
*b = temp;
}
// 將數組劃分為兩個子數組,小于pivot的放在左邊,大于pivot的放在右邊
int partition(int arr[], int low, int high) {
int pivot = arr[high]; // 選擇最右邊的元素作為pivot
int i = low - 1;
for (int j = low; j <= high - 1; j++) {
if (arr[j] < pivot) {
i++;
swap(&arr[i], &arr[j]);
}
}
swap(&arr[i + 1], &arr[high]);
return i + 1;
}
// 快速排序函數
void quickSort(int arr[], int low, int high) {
if (low < high) {
int pivotIndex = partition(arr, low, high); // 劃分數組
quickSort(arr, low, pivotIndex - 1); // 對左子數組進行快速排序
quickSort(arr, pivotIndex + 1, high); // 對右子數組進行快速排序
}
}
// 打印數組
void printArray(int arr[], int size) {
for (int i = 0; i < size; i++) {
cout << arr[i] << " ";
}
cout << endl;
}
int main() {
int arr[] = { 8, 3, 6, 2, 1, 5, 7, 4 };
int size = sizeof(arr) / sizeof(arr[0]);
cout << "原數組:";
printArray(arr, size);
quickSort(arr, 0, size - 1);
cout << "排序后:";
printArray(arr, size);
return 0;
}
這段代碼首先定義了一個用于交換兩個元素的函數swap
,然后定義了一個用于將數組劃分為兩個子數組的函數partition
,最后定義了一個快速排序函數quickSort
。quickSort
函數在遞歸調用中對左右子數組進行快速排序,而partition
函數則根據選定的pivot將數組進行劃分。
在主函數main
中,首先定義了一個待排序的數組arr
,然后調用quickSort
函數進行快速排序,最后調用printArray
函數打印排序后的數組。