插入排序的基本思想:
每次将要排序的关键字按照其大小插入已排序的子表合适的位置,直到全部元素插入完成。
直接插入排序:所有数据被存放在R[0,n-1]中,在进行排序的过程中将R划分为有序区和无序区两部分,每次从无序区取出一关键字放在有序区合适的位置,有序区的数字排列一直是有序的由大到小或者由小到大。
//文件名:exp10-1.cpp #include <stdio.h> #define MAXE 20 //线性表中最多元素个数 typedef int KeyType; typedef char InfoType[10]; typedef struct //记录类型 { KeyType key; //关键字项 InfoType data; //其他数据项,类型为InfoType } RecType; //直接插入排序 void InsertSort(RecType R[],int n) //对R[0..n-1]按递增有序进行直接插入排序 { int i,j,k; RecType temp; for (i=1;i<n;i++) { temp=R[i];//待插入的关键字 j=i-1; //从右向左在有序区R[0..i-1]中找R[i]的插入位置, //R[i]左侧是有序区通过下面的while完成从右到左的一一比较找到合适的插入位置 while (j>=0 && temp.key<R[j].key) //通过while找到要插入关键字的合适的位置 { /*j用来记录有序区多少元素还未比较 */ R[j+1]=R[j]; //将关键字大于R[i].key的记录后移 j--; } R[j+1]=temp; //在j+1处插入R[i],在恰当的位置插入待插入的关键字 printf("i=%d,",i); //输出每一趟的排序结果 printf("插入%d,结果为: ",temp); for (k=0;k<n;k++) printf("%3d",R[k].key); printf(" "); } } void main() { int i,k,n=10; KeyType a[]={9,8,7,6,5,4,3,2,1,0}; RecType R[MAXE]; for (i=0;i<n;i++) R[i].key=a[i]; printf("初始关键字: "); //输出初始关键字序列 for (k=0;k<n;k++) printf("%3d",R[k].key); printf(" "); //InsertSort(R,n); InsertSort(R,n); printf("最后结果: "); //输出初始关键字序列 for (k=0;k<n;k++) printf("%3d",R[k].key); printf(" "); }