一、插入排序
1、插入排序
是先比较前两个数据,如果第1个数比第2个数大则交换,然后再让第3个数和前2个数比较,选择合适的位置放置,最后的结果是从小到大排序。每次都是把第i个位置上的数和前面i-1个数比较。
2、优缺点
优点:1、能够识别出数组是否有序,有序时不再进行排序。
缺点:1、所有比插入数据项大的元素都要移动.2、有些在合适位置上的元素可能移动后又被移动回来。
算法复杂度:O(n~n^2) 空间复杂度:O(n)+辅助变量空间
二、测试代码
#include <iostream>
#include <vector>
using namespace std;
/************************
插入排序:是先比较前两个数据,如果第1个数比第2个数大则交换,然后再让第3个数和前2个数比较,
选择合适的位置放置,最后的结果是从小到大排序。每次都是把第i个位置上的数和前面i-1个数比较。
优点:1、能够识别出数组是否有序,有序时不再进行排序。
缺点:1、所有比插入数据项大的元素都要移动.2、有些在合适位置上的元素可能移动后又被移动回来。
算法复杂度:O(n~n^2) 空间复杂度:O(n)+辅助变量空间
*************************/
// 实现方法一
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;
}