std::list<T,Allocator>::sort
void sort(); |
(1) | |
template< class Compare > void sort( Compare comp ); |
(2) | |
以升序排序元素。保持相等元素的顺序。第一版本用 operator< 比较元素,第二版本用给定的比较函数 comp
。
若抛出异常,则 *this 中元素顺序未指定。
参数
comp | - | 比较函数对象(即满足比较 (Compare) 概念的对象),若第一参数小于(即先序于)第二参数则返回 true 。 比较函数的签名应等价于如下: bool cmp(const Type1 &a, const Type2 &b); 虽然签名不必有 const & ,函数也不能修改传递给它的对象,而且必须接受(可为 const 的)类型 |
返回值
(无)
复杂度
大约 N log N 次比较,其中 N 是表中的元素数。
注意
std::sort 要求随机访问迭代器且不能用于 list
。此函数与 std::sort 的区别在于,它不要求 list
的元素类型可交换,保留所有迭代器的值,并进行稳定排序。
示例
运行此代码
#include <iostream> #include <functional> #include <list> std::ostream& operator<<(std::ostream& ostr, const std::list<int>& list) { for (auto &i : list) { ostr << " " << i; } return ostr; } int main() { std::list<int> list = { 8,7,5,9,0,1,3,2,6,4 }; std::cout << "before: " << list << "\n"; list.sort(); std::cout << "ascending: " << list << "\n"; list.sort(std::greater<int>()); std::cout << "descending: " << list << "\n"; }
输出:
before: 8 7 5 9 0 1 3 2 6 4 ascending: 0 1 2 3 4 5 6 7 8 9 descending: 9 8 7 6 5 4 3 2 1 0