对于给定的一组记录,初始时假设第一个记录自成一个有序序列,其余的记录为无序序列。接着从第二个记录开始,按照记录的大小依次将当前处理的记录插入到其之前的有序序列中,直至最后一个记录插入到有序序列中为止。
以数组{38,65,97,76,13,27,49}为例,直接插入排序具体步骤如下所示。
第一步插入38以后:[38] 65 97 76 13 27 49
第二步插入65以后:[38 65] 97 76 13 27 49
第三步插入97以后:[38 65 97] 76 13 27 49
第四步插入76以后:[38 65 76 97] 13 27 49
第五步插入13以后:[13 38 65 76 97] 27 49
第六步插入27以后:[13 27 38 65 76 97] 49
第七步插入49以后:[13 27 38 49 65 76 97]
程序示例如下:
static void Main(string[] args)
{
int i = 0;
int[] a = { 38, 65, 97, 76, 13, 27, 49 };
insertSort(a);
for (i = 0; i < a.Length; i++)
{
Console.WriteLine(a[i] + "");
}
}
private static void insertSort(int[] a)
{
int length = a.Length;
for (int i = 1; i < length; i++)
{
int temp = a[i];
// 下标j用来扫描前部分已排序的
int j = i;
// 如果当前值小于前面排序的最大值,则插入
if (temp < a[j - 1])
{
while (j > 0 && temp < a[j - 1])
{
a[j] = a[j - 1];
j--;
}
a[j] = temp;
}
}
}
标签:13,27,C#,插入排序,76,38,65,97
From: https://www.cnblogs.com/nullcodeworld/p/16799965.html