c语言编写一个函数,用选择法实现对n个整数进行排序
时间: 2023-08-07 10:13:10 浏览: 122
好的,以下是一个使用选择排序算法实现对n个整数进行排序的C语言函数:
```c
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;
}
}
if (minIndex != i) {
temp = arr[i];
arr[i] = arr[minIndex];
arr[minIndex] = temp;
}
}
}
```
这个函数接受一个整型数组和数组大小n作为参数。选择排序算法通过重复从未排序的部分选择最小值并将其放在已排序部分的末尾来对数组进行排序。我们使用两个嵌套的for循环,外部循环从数组的第一个元素开始遍历到倒数第二个元素,内部循环遍历未排序部分的元素,并找到最小值的索引。如果最小值不是当前位置的元素,我们交换这两个元素的位置。最终,数组将按升序排序。
相关问题
采用选择法编写函数,实现对 n 个整数进行排序,并利用C语言编写主函数调用此函数,实现对 10 个整数的排序。
好的,您的问题是关于C语言的。以下是一个简单的选择排序的实现:
```c
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] = { 10, 4, 5, 3, 9, 1, 6, 8, 2, 7 };
int n = sizeof(arr)/sizeof(arr[0]);
selectionSort(arr, n);
for (int i = 0; i < n; i++)
printf("%d ", arr[i]);
return 0;
}
```
在这个例子中,我们首先定义了一个名为`selectionSort`的函数,该函数采用选择排序的算法对传入的整数数组进行排序。然后,我们利用`main`函数来调用`selectionSort`函数,并将一个包含10个整数的数组作为参数传递给它。最后,我们遍历已排序的数组并将其打印到控制台上。
希望这可以帮助您解决您的问题!
采用冒泡法编写函数,实现对 n 个整数进行排序,并利用C语言编写主函数调用此函数,实现对 10 个整数的排序。
好的,这是一个经典的排序算法,冒泡排序。以下是C语言实现的代码:
```c
#include <stdio.h>
void bubble_sort(int arr[], int n) {
int i, j, temp;
for (i = 0; i < n - 1; i++) {
for (j = 0; j < n - i - 1; j++) {
if (arr[j] > arr[j + 1]) {
temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
int main() {
int arr[10] = {3, 1, 4, 1, 5, 9, 2, 6, 5, 3};
int n = 10;
int i;
printf("排序前的数组:\n");
for (i = 0; i < n; i++) {
printf("%d ", arr[i]);
}
printf("\n");
bubble_sort(arr, n);
printf("排序后的数组:\n");
for (i = 0; i < n; i++) {
printf("%d ", arr[i]);
}
printf("\n");
return 0;
}
```
这个程序中,我们定义了一个 `bubble_sort` 函数,它接受一个整数数组和数组的长度作为参数,然后使用冒泡排序算法将数组进行排序。主函数中,我们定义了一个包含 10 个整数的数组,并将其传递给 `bubble_sort` 函数进行排序。最后,我们输出排序前后的数组,以确保程序正确运行。
运行结果如下:
```
排序前的数组:
3 1 4 1 5 9 2 6 5 3
排序后的数组:
1 1 2 3 3 4 5 5 6 9
```
希望这个代码可以帮到你!
阅读全文