假设现有一数组,如下
static void Main(string[] args)
{
int[] array = new int[] { 3, 5, 6, 2, 3, 8, 1 };//替换代码
BaseSort(array, 0, 6);//替换代码
for (int i = 0; i < array.Length; i++)
{
Console.Write(array[i] + " ");
}
Console.WriteLine();
Console.ReadKey();
}
public static void BaseSort(int[] array, int start, int end)
{
int minIndex = start;
for (int i = start + 1; i <= end; i++)
{
if (array[minIndex] > array[i])
{
minIndex = i;
}
}
if (minIndex != start)
{
int temp = array[start];
array[start] = array[minIndex];
array[minIndex] = temp;
}
}
int[] array = new int[] { 3, 5, 6, 2, 3, 8, 1 };
BaseSort(array, 0, 6);
//以下标0的值为最小值,从下标 0 + 1 到下标6寻找唯一更小值,然后与最小值进行互换
int[] array = new int[] { 1, 5, 6, 2, 3, 8, 3 };
BaseSort(array, 1, 6);
//以下标1的值为最小值,从下标 1 + 1 到下标6寻找唯一更小值,然后与最小值进行互换
int[] array = new int[] { 1, 2, 6, 5, 3, 8, 3 };
BaseSort(array, 2, 6);
//以下标2的值为最小值,从下标 2 + 1 到下标6寻找唯一更小值,然后与最小值进行互换
int[] array = new int[] { 1, 2, 3, 5, 6, 8, 3 };
BaseSort(array, 3, 6);
//以下标3的值为最小值,从下标 3 + 1 到下标6寻找唯一更小值,然后与最小值进行互换
int[] array = new int[] { 1, 2, 3, 3, 6, 8, 5 };
BaseSort(array, 4, 6);
//以下标4的值为最小值,从下标 4 + 1 到下标6寻找唯一更小值,然后与最小值进行互换
int[] array = new int[] { 1, 2, 3, 3, 5, 8, 6 };
BaseSort(array, 5, 6);
//以下标5的值为最小值,从下标 5 + 1 到下标6寻找唯一更小值,然后与最小值进行互换
代码如下
static void Main(string[] args)
{
int[] array = new int[] { 3, 5, 6, 2, 3, 8, 1 };
SelectionSort(array);
for (int i = 0; i < array.Length; i++)
{
Console.Write(array[i] + " ");
}
Console.WriteLine();
Console.ReadKey();
}
//选择排序
public static void SelectionSort(int[] array)
{
for(int i = 0; i < array.Length - 1; i++)
{
int minIndex = i;
for(int j = i + 1; j < array.Length; j++)
{
if(array[minIndex] > array[j])
{
minIndex = j;
}
}
if(minIndex != i)
{
int temp = array[i];
array[i] = array[minIndex];
array[minIndex] = temp;
}
}
}
因为作者精力有限,文章中难免出现一些错漏,敬请广大专家和网友批评、指正。