用c语言实现,读入n个整数,对这些数做选择排序
时间: 2023-11-29 21:04:55 浏览: 96
以下是用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 n;
printf("Enter the number of integers you want to sort: ");
scanf("%d", &n);
int arr[n];
printf("Enter %d integers:\n", n);
for (int i = 0; i < n; i++) {
scanf("%d", &arr[i]);
}
selectionSort(arr, n);
printf("Sorted array: ");
for (int i = 0; i < n; i++) {
printf("%d ", arr[i]);
}
printf("\n");
return 0;
}
```
首先,我们定义 `selectionSort` 函数来实现选择排序算法。函数的参数包括待排序的数组和数组的大小。
在 `selectionSort` 函数中,我们使用两个嵌套的循环来遍历整个数组。在外部循环中,我们从左到右移动未排序子数组的边界。在内部循环中,我们找到未排序子数组中的最小元素并将其索引存储在 `min_idx` 变量中。然后,我们将找到的最小元素与子数组的第一个元素交换位置。
在 `main` 函数中,我们首先从用户那里获取要排序的整数的数量。然后,我们使用一个循环来读取整数并将它们存储在数组中。接下来,我们调用 `selectionSort` 函数来对数组进行排序,并在屏幕上输出排序后的数组。
这就是用C语言实现选择排序算法的基本步骤。
阅读全文