用选择法对10个整数排序。10个整数用scanf函数输入
时间: 2023-11-21 14:59:22 浏览: 74
选择法对十个数排序
5星 · 资源好评率100%
好的,我可以帮你解决这个问题。以下是C语言代码示例:
```c
#include <stdio.h>
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;
}
}
int main() {
int arr[10];
printf("请输入10个整数:\n");
for (int i = 0; i < 10; i++) {
scanf("%d", &arr[i]);
}
selectionSort(arr, 10);
printf("排序后的数组为:\n");
for (int i = 0; i < 10; i++) {
printf("%d ", arr[i]);
}
printf("\n");
return 0;
}
```
这里使用了选择排序算法,时间复杂度为O(n^2),但是由于数据量较小,所以可以使用。输入的10个整数通过scanf函数读入数组中,然后调用选择排序函数,最后输出排序后的数组。
阅读全文