在 C++ 中对向量进行排序
可以使用 std::sort() 对 C++ 中的向量进行排序。它在<algorithm> 头文件中定义。要获得稳定的排序,请使用 std::stable_sort。它完全跟 sort() 一样,但会维护相等元素的相对顺序。根据需要,还可以使用 Quicksort() 和 mergesort()。
算法
Begin Decalre v of vector type. Initialize some values into v in array pattern. Print “Elements before sorting”. for (const auto &i: v) print all the values of variable i. Print “Elements after sorting”. Call sort(v.begin(), v.end()) function to sort all the elements of the v vector. for (const auto &i: v) print all the values of variable i. End.
以下是 c++ 中对向量排序的一个简单示例
示例
#include <iostream> #include <vector> #include <algorithm> using namespace std; int main() { vector<int> v = { 10, 9, 8, 6, 7, 2, 5, 1 }; cout<<"Elements before sorting"<<endl; for (const auto &i: v) cout << i << ' '<<endl; cout<<"Elements after sorting"<<endl; sort(v.begin(), v.end()); for (const auto &i: v) cout << i << ' '<<endl; return 0; }
输出
Elements before sorting 10 9 8 6 7 2 5 1 Elements after sorting 1 2 5 6 7 8 9 10
广告