标签:style blog http color 使用 2014
插入排序(insertion sort)的基本思想:每次将一个待排序的记录,按其关键字大小插入到前面已经排序好的序列中,直到全部记录插入完成为止.
InsertSort.c
#include<stdio.h> typedef int ElementType; ElementType arr[10]={2,87,39,49,34,62,53,6,44,98}; ElementType arr1[11]={0,2,87,39,49,34,62,53,6,44,98}; //不使用哨兵,每一次循环需要比较两次 void InsertSort(ElementType A[],int N) { int i,j; ElementType temp; for(i=1;i<N;i++) { temp=A[i]; for(j=i;j>0;j--) { if(A[j-1]>temp) A[j]=A[j-1]; else break; } A[j]=temp; } } /* 使用A[0]作为哨兵,哨兵有两个作用: 1 暂时存放待插入的元素 2 防止数组下标越界,将j>0与A[j]>temp结合成只有一次比较A[j]>A[0], 这样for循环只做了一次比较,提高了效率,无哨兵的情况需要比较两次,for循环有两个判断条件 */ void WithSentrySort(ElementType A[],int N) { int i,j; for(i=2;i<N;i++) { A[0]=A[i]; for(j=i-1;A[j]>A[0];j--) { A[j+1]=A[j]; } A[j+1]=A[0]; } } void Print(ElementType A[],int N) { int i; for(i=0;i<N;i++) { printf(" %d ",A[i]); } } int main() { Print(arr,10); printf("\n"); InsertSort(arr,10); Print(arr,10); printf("\n"); WithSentrySort(arr1,11); Print(arr1,11); printf("\n"); return 0; }
运行结果如下:
直接插入排序(带哨兵和不带哨兵),布布扣,bubuko.com
标签:style blog http color 使用 2014
原文地址:http://www.cnblogs.com/wuchanming/p/3812338.html