c++中怎么顺序排列数组
时间: 2023-11-11 10:05:39 浏览: 256
c++数组排序
在C++中,可以使用标准库中的`std::sort`函数对数组进行顺序排列。`std::sort`函数需要传入数组的起始和结束迭代器,以及一个比较函数(可选)来确定排序的顺序。比较函数默认按照升序排列。
例如,对一个整数数组进行升序排列可以这样写:
```cpp
#include <algorithm>
#include <iostream>
int main() {
int arr[] = { 4, 2, 1, 3, 5 };
std::sort(std::begin(arr), std::end(arr)); // 对数组进行排序
for (int i : arr) {
std::cout << i << " ";
}
std::cout << '\n';
return 0;
}
```
输出结果为:
```
1 2 3 4 5
```
阅读全文