使用:#include <algorithm>html
using namespace std;ios
做用:排序git
時間複雜度:n*lg(n)github
實現原理:sort並非簡單的快速排序,它對普通的快速排序進行了優化,此外,它還結合了插入排序和推排序。系統會根據你的數據形式和數據量自動選擇合適的排序方法,這並非說它每次排序只選擇一種方法,它是在一次完整排序中不一樣的狀況選用不一樣方法,好比給一個數據量較大的數組排序,開始採用快速排序,分段遞歸,分段以後每一段的數據量達到一個較小值後它就不繼續往下遞歸,而是選擇插入排序,若是遞歸的太深,他會選擇推排序。數組
具體函數實現,請參考:http://www.cnblogs.com/fengcc/p/5256337.htmlless
函數聲明:dom
#include <algorithm> template< class RandomIt > void sort( RandomIt first, RandomIt last ); template< class RandomIt, class Compare > void sort( RandomIt first, RandomIt last, Compare comp );
形式:sort(first_pointer,first_pointer+n,cmp)函數
參數解釋: 第一個參數是數組的首地址,通常寫上數組名就能夠,由於數組名是一個指針常量。第二個參數相對較好理解,即首地址加上數組的長度n(表明尾地址的下一地址)。最後一個參數是比較函數的名稱(自定義函數cmp),這個比較函數能夠不寫,即第三個參數能夠缺省,這樣sort會默認按數組升序排序。優化
簡單例子:對數組A的0~n-1元素進行升序排序,只要寫sort(A,A+n)便可;對於向量V也同樣,sort(v.begin(),v.end())便可。spa
sort不僅是能像上面那樣簡單的使用,咱們能夠對sort進行擴展,關鍵就在於第三個參數<cmp比較函數>,咱們想降序排列,或者說我不是一個簡簡單單的數組,而是結構體、類怎麼辦,下面給出一些方法和例子。
//狀況一:數組排列 int A[100]; bool cmp1(int a,int b)//int爲數組數據類型 { return a>b;//降序排列 //return a<b;//默認的升序排列 } sort(A,A+100,cmp1); //狀況二:結構體排序 Student Stu[100]; bool cmp2(Student a,Student b) { return a.id>b.id;//按照學號降序排列 //return a.id<b.id;//按照學號升序排列 } sort(Stu,Stu+100,cmp2);
注:比較方法也能夠放在結構體中或類中定義。
另外,其實咱們還能夠再懶一點,在標準庫中已經有現成的。它在哪呢?答案是functional,咱們include進來試試看。functional提供了一堆基於模板的比較函數對象,它們是:equal_to<Type>、not_equal_to<Type>、greater<Type>、greater_equal<Type>、less<Type>、less_equal<Type>。這些東西的用法看名字就知道了。在這裏,我麼sort要用到的也只是greater和less就足夠了,用法以下:
缺點:也只是實現簡單的排序,結構體不適用。
#include <iostream> #include <cstdio> #include <algorithm> #include <functional> using namespace std; //簡單使用方法 sort(A,A+100,greater<int>());//降序排列 sort(A,A+100,less<int>());//升序排列
//狀況一:在結構體內部重載 typedef struct Student{ int id; string name; double grade; bool operator<(const Student& s) { return id>s.id;//降序排列 //return id<s.id;//升序排列 } }; vector<Student> V; sort(V.begin(),V.end()); //狀況二:在外部重載 vector<Student> V; bool operator<(const Student& s1, const Student& s2) { return s1.id>s2.id;//降序排列 //return s1.id<s2.id;//升序排列 } sort(V.begin(),V.end());
注意:必定要重載<運算符,由於系統默認是降序,用的是<運算符。
struct Less { bool operator()(const Student& s1, const Student& s2) { return s1.id<s2.id; //升序排列 } }; sort(sutVector.begin(),stuVector.end(),Less());
做者: AlvinZH
出處: http://www.cnblogs.com/AlvinZH/
本人Github:https://github.com/Pacsiy/JobDu
本文版權歸做者AlvinZH和博客園全部,歡迎轉載和商用,但未經做者贊成必須保留此段聲明,且在文章頁面明顯位置給出原文鏈接,不然保留追究法律責任的權利.