vectorc++ sort
时间: 2024-09-20 07:00:21 浏览: 37
在C++中,`sort`函数是一个非常常用的标准库算法,它用于对容器(如`std::vector`)中的元素进行排序。`std::sort`通常作用于`std::vector`的迭代器范围,例如:
```cpp
#include <algorithm>
#include <vector>
// 假设我们有一个整数类型的vector
std::vector<int> vec = {5, 2, 8, 1, 9};
// 调用sort函数进行升序排序
std::sort(vec.begin(), vec.end());
```
这里的`vec.begin()`返回的是容器的起始迭代器,`vec.end()`返回的是容器结束迭代器(不包含容器最后一个元素),这两个迭代器构成了待排序元素的范围。
`std::sort`支持自定义比较函数,如果你需要按照特定规则排序,可以提供一个函数作为第二个参数。比如按字符串长度排序:
```cpp
bool compare(const std::string& a, const std::string& b) {
return a.length() < b.length();
}
std::vector<std::string> strings = {"abc", "defg", "xyz"};
std::sort(strings.begin(), strings.end(), compare);
```
相关问题
vectorc++ sort降序
在C++中,`vector` 是一个动态数组容器,如果你想要对它里面的元素进行降序排序,你可以使用标准库中的 `sort` 函数配合自定义的比较函数来实现。这里是一个简单的例子:
```cpp
#include <algorithm> // 包含sort函数
#include <vector>
#include <iostream>
bool compare(int a, int b) {
return a > b; // 使用大于运算符返回true表示a应该排在b前面,即降序排列
}
int main() {
std::vector<int> vec = {5, 2, 9, 1, 7}; // 假设这是一个整数向量
// 对vec进行降序排序
std::sort(vec.begin(), vec.end(), compare);
for (const auto& element : vec) {
std::cout << element << " ";
}
return 0;
}
```
在这个例子中,`compare` 函数告诉 `sort` 函数元素应该按照降序排列。运行程序,你会看到输出的是从大到小排列的数字。
vectorC++sort函数
好的,关于vector的sort函数,它是用来对vector容器中的元素进行排序的。sort函数默认是按照升序排序的,如果需要降序排序,则需要自定义比较函数。
下面是一个示例代码:
```c++
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
bool cmp(int a, int b) {
return a > b; // 降序排序
}
int main() {
vector<int> v = {3, 1, 4, 1, 5, 9, 2, 6, 5, 3, 5};
sort(v.begin(), v.end()); // 默认升序排序
for (auto i : v) {
cout << i << " ";
}
cout << endl;
sort(v.begin(), v.end(), cmp); // 自定义降序排序
for (auto i : v) {
cout << i << " ";
}
cout << endl;
return 0;
}
```
输出结果为:
```
1 1 2 3 3 4 5 5 5 6 9
9 6 5 5 5 4 3 3 2 1 1
```
阅读全文