利用C语言编写函数用选择排序法对数组中的数据进行从小到大的排序。
时间: 2023-05-19 18:03:32 浏览: 167
以下是利用C语言编写的选择排序函数,可以对数组中的数据进行从小到大的排序:
```
void selectionSort(int arr[], int n) {
int i, j, min_idx;
for (i = 0; i < n-1; i++) {
min_idx = i;
for (j = i+1; j < n; j++)
if (arr[j] < arr[min_idx])
min_idx = j;
int temp = arr[min_idx];
arr[min_idx] = arr[i];
arr[i] = temp;
}
}
```
其中,arr[]表示待排序的数组,n表示数组的长度。这个函数使用了选择排序算法,每次找到未排序部分中最小的元素,然后将其放到已排序部分的末尾。最终,整个数组就会被排序。
相关问题
C语言 编写函数用选择排序法对数组中的数据进行从小到大的排序
以下是用选择排序法对数组进行从小到大排序的 C 代码:
```c
#include <stdio.h>
void selection_sort(int arr[], int n)
{
int i, j, min_idx;
for (i = 0; i < n - 1; i++)
{
min_idx = i;
for (j = i + 1; j < n; j++)
{
if (arr[j] < arr[min_idx])
{
min_idx = j;
}
}
int temp = arr[i];
arr[i] = arr[min_idx];
arr[min_idx] = temp;
}
}
int main()
{
int arr[] = { 64, 25, 12, 22, 11 };
int n = sizeof(arr) / sizeof(arr[0]);
selection_sort(arr, n);
printf("Sorted array: ");
for (int i = 0; i < n; i++)
{
printf("%d ", arr[i]);
}
printf("\n");
return 0;
}
```
函数 `selection_sort` 接受一个整型数组和数组的大小作为参数,然后使用选择排序法对数组进行排序。在主函数中,我们声明了一个整型数组 `arr`,并在函数 `selection_sort` 中对其进行排序。最后,我们输出排序后的数组。
用C语言编写函数用选择排序法对数组中的数据进行从小到大的排序
以下是用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
```
阅读全文