C语言数组:用选择排序法对数组中10个未知的整数按由小到大排序
时间: 2024-05-01 22:23:50 浏览: 95
以下是用选择排序法对数组中10个未知整数按由小到大排序的C语言代码:
```c
#include <stdio.h>
void selectionSort(int arr[], int n);
int main() {
int arr[10] = {5, 2, 9, 1, 7, 6, 4, 8, 3, 10};
int n = sizeof(arr) / sizeof(arr[0]);
selectionSort(arr, n);
printf("Sorted array: ");
for (int i = 0; i < n; i++) {
printf("%d ", arr[i]);
}
return 0;
}
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;
}
}
```
上述代码中,我们首先定义了一个 `selectionSort` 函数,该函数接收一个整型数组 `arr` 和数组的长度 `n` 作为参数,在函数中使用选择排序法对数组进行排序。然后在 `main` 函数中定义了一个长度为 10 的整型数组 `arr` 并初始化了其中的元素。接着调用 `selectionSort` 函数对数组进行排序,并输出排序后的结果。
阅读全文