用c++给一个数组排序
时间: 2024-12-12 13:26:32 浏览: 5
c++一维数组排序代码
在C++中,你可以使用多种内置的算法对数组进行排序。这里以常见的快速排序和标准库提供的sort函数为例:
1. **快速排序** (Quick Sort):
```cpp
#include <iostream>
#include <vector>
void quickSort(std::vector<int>& arr, int low, int high) {
if (low < high) {
int pivot = partition(arr, low, high);
quickSort(arr, low, pivot - 1);
quickSort(arr, pivot + 1, high);
}
}
int partition(std::vector<int>& arr, int low, int high) {
int pivot = arr[high];
int i = low - 1;
for (int j = low; j <= high - 1; j++) {
if (arr[j] < pivot) {
i++;
std::swap(arr[i], arr[j]);
}
}
std::swap(arr[i + 1], arr[high]);
return i + 1;
}
int main() {
std::vector<int> nums = {5, 2, 9, 1, 5, 6};
quickSort(nums, 0, nums.size() - 1);
for (const auto& num : nums) {
std::cout << num << " ";
}
return 0;
}
```
2. **标准库sort函数**:
```cpp
#include <iostream>
#include <algorithm>
int main() {
std::vector<int> nums = {5, 2, 9, 1, 5, 6};
std::sort(nums.begin(), nums.end());
for (const auto& num : nums) {
std::cout << num << " ";
}
return 0;
}
```
这两个例子都展示了如何使用C++对整数数组进行排序,sort函数适用于所有支持比较操作的数据类型,而快速排序则是一种高效的通用排序算法。
阅读全文