标签:
这是排序算法中最常见的排序方法,也是初学者使用最多的。有时候我们在生活中也会不自觉地用到插入排序,例如:
给手里的牌排序
这是最常见的例子之一,我们通常从纸牌的一边开始看,找到一张位置不正确的,把它拿出来,再从开始的位置开始找,直到找到合适者张牌插入的位置。
假设手里有这几张牌2,4,6,3,10,K,J。排序的步骤如下:
排序就完成了,手里的纸牌也变成了正确的顺序,这种方法就叫做插入排序。
相应的算法设计:
下面是具体执行代码:
#include<stdio.h> // function to swap two integers void swap(int *x, int *y) { int temp = *x; *x = *y; *y = temp; } // a function to perform Insertion Sort on the array arr with size specified void insertionSort(int arr[],int size) { int i,j; // iterating from 2nd element to the last for(i=1;i<size;i++) { if(arr[i] < arr[i-1]) { j = i; while(arr[j-1] > arr[j]) { // swapping all the numbers // until the next number is smaller than previous number swap(&arr[j],&arr[j-1]); j--; } } } } // driver function to test the above function int main(void) { int i; int arr[10] = {3, 4, 7, 1, 10, 8, 2, 22, 99, 50}; insertionSort(arr,10); printf("SORTED array:- "); for(i=0;i<10;i++) printf("%d ",arr[i]); return 0; }
时间复杂度:
Average Case:- O(n2)
Best Case:- O(n)
Worst Case:- O(n2)
标签:
原文地址:http://www.cnblogs.com/programnote/p/4723346.html