用C语言,选择法对十个整数排序
时间: 2023-06-07 08:09:15 浏览: 83
好的,我可以帮您解答这个问题。以下是用C语言,选择法对十个整数排序的代码:
```c
#include <stdio.h>
int main() {
int arr[10] = {5, 2, 9, 3, 8, 4, 0, 6, 7, 1}; // 备选的十个整数
int min, temp;
// 选择法排序
for (int i = 0; i < 9; i++) {
min = i;
for (int j = i + 1; j < 10; j++) {
if (arr[j] < arr[min]) {
min = j;
}
}
temp = arr[i];
arr[i] = arr[min];
arr[min] = temp;
}
// 打印排序后的结果
for (int i = 0; i < 10; i++) {
printf("%d ", arr[i]);
}
printf("\n");
return 0;
}
```
以上代码使用了选择法排序的方法,通过循环遍历数组,每次选择最小的一个数,与未排序的数列的第一个数进行交换,从而实现排序效果。运行该程序,输出的结果为:0 1 2 3 4 5 6 7 8 9。
希望能够帮到您。
相关问题
用c语言实现选择法对10个整数排序
好的,以下是用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`函数对数组进行排序,并输出排序前后的数组。
c语言用选择法对10个整数排序。
好的,下面是使用选择排序算法对10个整数进行排序的示例代码:
```c
#include <stdio.h>
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;
}
}
int main() {
int arr[] = {64, 25, 12, 22, 11, 75, 90, 8, 38, 2};
int n = sizeof(arr) / sizeof(arr[0]);
selectionSort(arr, n);
printf("排序后的数组:\n");
for (int i = 0; i < n; i++)
printf("%d ", arr[i]);
printf("\n");
return 0;
}
```
输出结果:
```
排序后的数组:
2 8 11 12 22 25 38 64 75 90
```
以上代码中,selectionSort 函数接收一个整型数组和数组长度作为参数,然后使用两层循环,每次找到最小的元素,并将其与当前位置的元素交换。最终得到的就是排序好的数组。
阅读全文