选择排序(Selection Sort)的基本思想:对n个记录进行扫描,选择最小的记录,将其输出,接着在剩下的n-1个记录中扫描,选择最小的记录将其输出……不断重复这个过程,直到只剩一个记录为止,即可完成数据从小到大的排序过程。
简单选择排序法类似人的排序习惯:
- (1)首先从原始数组中选择最小的一个数据,将其和位于第1个位置的数据交换位置。
- (2)再从剩下的n-1个数据中再选择最小的一个数据,将其和位于第2个位置的数据交换位置。
- (3)不断重复上述过程,直到最后两个数据完成交换。最后,便完成了对原始数组从小到大的排序。
下面以一组待排序的数据演示简单选择排序的过程,假设有8个需要排序的数据序列如下所示:69,65,90,37,92,6,28,54
详细C代码如下:
#include<stdio.h>
#include "9_20Rand.c"
#define ARRAYLEN 6
void SelectionSort(int a[], int n){
int i, j, k;
int tmp = 0;
for(i = 0; i < n - 1; i++)
{
k = i;
for(j = i + 1; j < n; j++)
{
if(a[k] > a[j])
{
k = j;
}
}
tmp = a[i];
a[i] = a[k];
a[k] = tmp;
printf("第%2d遍:", i + 1);
for(j = 0; j < n; j++)
printf("%d ", a[j]);
printf("\n");
}
}
int main()
{
int i, a[ARRAYLEN];
for(i = 0; i < ARRAYLEN; i++)
a[i] = 0;
if(!CreateData(a, ARRAYLEN, 1, 100))
{
printf("生成随机数不成功!\n");
getch();
return 1;
}
printf("原始数据:");
for(i = 0; i < ARRAYLEN; i++)
printf("%d ", a[i]);
printf("\n");
SelectionSort(a, ARRAYLEN);
printf("排序后:");
for(i = 0; i < ARRAYLEN; i++)
printf("%d ", a[i]);
printf("\n");
return 0;
}
我的运行结果如下:
注意,这和上面那篇博客性质不同,这里不可以加设flag标志位来防止重复运算,因为这里的每一大轮都是独立的!
C++选择排序法:
#include<iostream>
#include<vector>
using namespace std;
// Finds the smallest value in an array
template<typename T>
int find_smallest(const vector<T>& arr){
// stores smallest value
T smallest = arr[0];
// stores index of the smallest value
int smallest_index = 0;
for(int i = 0; i < arr.size(); i++)
{
if(arr[i] < smallest)
{
smallest = arr[i];
smallest_index = i;
}
}
return smallest_index;
}
template <typename T>
vector<T> selection_sort(vector<T> arr){
vector<T> sorted;
while(!arr.empty())
{
// find smallest element and add it to sorted array
int smallest_index = find_smallest(arr);
sorted.push_back(arr[smallest_index]);
//像python的.add()方法
// remove smallest element from non-sorted array
arr.erase(arr.begin() + smallest_index);
}
return sorted;
}
int main()
{
vector<float> arr = {1.2, 1.0, 3, 0, -1, 0.5, 100, -99};
vector<float> sorted = selection_sort(arr);
cout << "Sorted array:";
for(float num:sorted){
cout << num << " ";
}
cout << endl;
return 0;
}
运行结果如下: