C语言编程实现将a[10]排序从小到大输出。 (注意:在主函数中调用用户自定义函数,用户自定义函数实现选择排序,再从主函数中输出排序好的数组)
时间: 2023-06-27 18:01:10 浏览: 95
C语言程序设计-编写函数fun对主程序中用户输入的具有10个数据的数组a按由大到小排序,并在主程序中输出排序结果;
5星 · 资源好评率100%
好的,以下是代码:
```c
#include <stdio.h>
void selectionSort(int arr[], int n);
int main() {
int a[10] = {3, 5, 1, 9, 4, 6, 8, 2, 7, 0};
int n = 10;
selectionSort(a, n);
printf("排序后的数组为:\n");
for (int i = 0; i < n; i++) {
printf("%d ", a[i]);
}
return 0;
}
void selectionSort(int arr[], int n) {
int minIndex, temp;
for (int i = 0; i < n - 1; i++) {
minIndex = i;
for (int j = i + 1; j < n; j++) {
if (arr[j] < arr[minIndex]) {
minIndex = j;
}
}
temp = arr[i];
arr[i] = arr[minIndex];
arr[minIndex] = temp;
}
}
```
这里使用了选择排序算法,时间复杂度为 O(n^2)。
阅读全文