用c语言实现选择法对10个整数排序
时间: 2023-08-04 14:34:02 浏览: 82
选择法对十个数排序
5星 · 资源好评率100%
好的,以下是用C语言实现选择法对10个整数排序的代码:
```c
#include <stdio.h>
void selectionSort(int arr[], int n) {
int i, j, minIndex, temp;
for (i = 0; i < n - 1; i++) {
minIndex = i; // 先假设最小值为当前位置
for (j = i + 1; j < n; j++) {
if (arr[j] < arr[minIndex]) {
minIndex = j; // 找到更小的值,更新最小值的下标
}
}
// 将最小值与当前位置交换
temp = arr[i];
arr[i] = arr[minIndex];
arr[minIndex] = temp;
}
}
int main() {
int arr[10] = {4, 2, 8, 6, 1, 9, 5, 3, 7, 0};
int i;
printf("排序前的数组为:");
for (i = 0; i < 10; i++) {
printf("%d ", arr[i]);
}
printf("\n");
selectionSort(arr, 10);
printf("排序后的数组为:");
for (i = 0; i < 10; i++) {
printf("%d ", arr[i]);
}
printf("\n");
return 0;
}
```
这段代码定义了一个`selectionSort`函数来实现选择排序。该函数使用两层循环,每次找到当前位置之后的最小值,然后将最小值与当前位置交换。最后,在`main`函数中调用`selectionSort`函数对数组进行排序,并输出排序前后的数组。
阅读全文