插入排序 C++版
阿新 • • 發佈:2018-12-19
一、說明:插入排序的原理在註釋中,插入排序中使用了模板來傳入資料,詳細情況看下面的測試程式碼。
#include <iostream> #include <vector> using namespace std; /************************ 插入排序:是先比較前兩個資料,如果第1個數比第2個數大則交換,然後再讓第3個數和前2個數比較, 選擇合適的位置放置,最後的結果是從小到大排序。每次都是把第i個位置上的數和前面i-1個數比較。 優點:1、能夠識別出陣列是否有序,有序時不再進行排序。 缺點:1、所有比插入資料項大的元素都要移動.2、有些在合適位置上的元素可能移動後又被移動回來。 演算法複雜度:O(n~n^2) 空間複雜度:O(1) *************************/ // 實現方法一 template<typename T> void insertSort1(T data[], int n) { for(int i=1,j; i<n; i++) // 如果只有一個元素的話則資料就是已經排好序的,所以從位置1開始而不是從位置0開始 { T temp = data[i]; for(j=i; j>0&&temp<data[j-1]; j--) { data[j] = data[j-1]; } data[j] = temp;// 把要插入到元素放到合適的位置上 } } // 實現方法二 template<typename T> void insertSort2(T data[],int n) { for(int i=1; i<n; i++) { for(int j=i; j>0; j--) { if(data[j]<data[j-1]) { T temp = data[j]; data[j] = data[j-1]; data[j-1] = temp; } } } } // 實現方法三 template<typename T> void insertSort3(vector<T> &data) { for(int i=1; i<data.size(); i++) { for(int j=i; j>0; j--) { if(data[j]<data[j-1]) { T temp = data[j]; data[j] = data[j-1]; data[j-1] = temp; } } } } int main() { int tempArr[] = {0,4,3,5,6,7,9,8,2,1}; int arrSize = sizeof(tempArr)/sizeof(tempArr[0]); cout << "arrSize=" << arrSize << endl; // insertSort test // insertSort1(tempArr,arrSize); // insertSort2(tempArr,arrSize); vector<int> tempVec(tempArr,tempArr+arrSize);// 使用陣列初始化vector insertSort3(tempVec); cout << "===========insertSort tempArr==========" << endl; for(int i=0; i<arrSize; i++) { cout << tempArr[i] << endl; } cout << "============insertSort tempVec==========" << endl; for(auto iter:tempVec) { cout << iter << endl; } cout << "hello world" << endl; }
三、測試結果