用C语言编写函数用选择排序法对数组中的数据进行从小到大的排序
时间: 2024-02-05 14:10:33 浏览: 86
以下是用C语言编写的选择排序函数:
```c
void selectionSort(int arr[], int n) {
int i, j, min_idx;
// One by one move boundary of unsorted subarray
for (i = 0; i < n - 1; i++) {
// Find the minimum element in unsorted array
min_idx = i;
for (j = i + 1; j < n; j++)
if (arr[j] < arr[min_idx])
min_idx = j;
// Swap the found minimum element with the first element
int temp = arr[min_idx];
arr[min_idx] = arr[i];
arr[i] = temp;
}
}
```
该函数使用选择排序算法对传入的数组进行从小到大的排序。其中,`arr[]`参数是待排序的数组,`n`参数是数组中元素的个数。
该算法的基本思路是:从未排序的子数组中找到最小的元素,将其放在已排序子数组的末尾,重复该过程直到整个数组有序。
使用该函数的例子:
```c
#include <stdio.h>
void selectionSort(int arr[], int n);
int main() {
int arr[] = {64, 25, 12, 22, 11};
int n = sizeof(arr) / sizeof(arr[0]);
selectionSort(arr, n);
printf("Sorted array: \n");
for (int i = 0; i < n; i++)
printf("%d ", arr[i]);
return 0;
}
```
输出结果:
```
Sorted array:
11 12 22 25 64
```
阅读全文