简介
插入排序(Insertion Sort)的算法描述是一种简单直观的排序算法。它的工作原理是通过构建有序序列,对于未排序数据,在已排序序列中从后向前扫描,找到相应位置并插入。插入排序在实现上,通常采用in-place排序(即只需用到O(1)的额外空间的排序),因而在从后向前扫描过程中,需要反复把已排序元素逐步向后挪位,为最新元素提供插入空间。
步骤:
从第一个元素开始,该元素可以认为已经被排序
取出下一个元素,在已经排序的元素序列中从后向前扫描
如果该元素(已排序)大于新元素,将该元素移到下一位置
重复步骤3,直到找到已排序的元素小于或者等于新元素的位置
将新元素插入到该位置中
重复步骤2
性能
时间复杂度为O(N^2),空间复杂度为O(1)。算法是稳定的,比较次数和交换次数都与初始序列有关。
优化
直接插入排序每次往前插入时,是按顺序依次往前找,可在这里进行优化,往前找合适的插入位置时采用二分查找的方式,即折半插入。
折半插入排序相对直接插入排序而言:平均性能更快,时间复杂度降至O(NlogN),排序是稳定的,但排序的比较次数与初始序列无关,总是需要foor(log(i))+1次排序比较。
使用场景
当数据基本有序时,采用插入排序可以明显减少数据交换和数据移动次数,进而提升排序效率。
Python实现
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
| arr = [3, 5, 2, 6, 14, 9, 7, 1, 6] def insert_sort(arr): count = len(arr) for i in range(1, count): temp = arr[i] j = i-1 while j >= 0: if arr[j] > temp: arr[j], arr[j+1] = temp, arr[j] j -= 1 print(arr) return arr insert_sort(arr)
|
运行结果:
data:image/s3,"s3://crabby-images/dc4af/dc4af180da1e08fcb55479084b52217cbeab7df7" alt=""
C++实现
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79
| #include <iostream> using namespace std; void insert_sort1(int arr[], int len) { for (int i=1; i<len; i++) { if (arr[i] < arr[i-1]) { int temp = arr[i]; int j; for (j=i-1; j>=0 && arr[j]>temp; j--) { arr[j+1] = arr[j]; } arr[j+1] = temp; } } } void insert_sort(int arr[], int len) { for (int i=1; i<len; i++) { int temp = arr[i]; int j = i-1; while (j>=0) { if (arr[j] > temp) { arr[j+1] = arr[j]; arr[j] = temp; } j -= 1; } } } void insert_binary_sort(int arr[], int len) { for (int i=1; i<len; i++) { if (arr[i] < arr[i-1]) { int temp = arr[i]; int low = 0, high = i-1, mid; while (low<=high) { mid = (low+high)/2; if (temp < arr[mid]) { high = mid - 1; } else { low = mid + 1; } } for (int j = i; j>low; j--) { arr[j] = arr[j-1]; } arr[low] = temp; } } } int main(int argc, char *argv[]) { int arr[] = {3, 5, 2, 6, 14, 9, 7, 1, 6}; insert_sort(arr, 9); for (int i=0; i<9; i++) cout << arr[i] <<" "; return 0; }
|
运行结果:
data:image/s3,"s3://crabby-images/d2d08/d2d08a7258f27f1a8ec9f2aa0dbc324a5ed6cf6b" alt=""
参考